command-not-found-18.04.6/0000775000000000000000000000000014202510314012077 5ustar command-not-found-18.04.6/COPYING0000777000000000000000000000000014201210125020712 2/usr/share/common-licenses/GPL-2ustar command-not-found-18.04.6/CommandNotFound/0000775000000000000000000000000014202510314015132 5ustar command-not-found-18.04.6/CommandNotFound/CommandNotFound.py0000664000000000000000000003773614202510314020557 0ustar # (c) Zygmunt Krynicki 2005, 2006, 2007, 2008 # Licensed under GPL, see COPYING for the whole text from __future__ import ( print_function, absolute_import, ) import gettext import grp import json import logging import os import os.path import posix import sys import subprocess from CommandNotFound.db.db import SqliteDatabase if sys.version >= "3": _gettext_method = "gettext" else: _gettext_method = "ugettext" _ = getattr(gettext.translation("command-not-found", fallback=True), _gettext_method) def similar_words(word): """ return a set with spelling1 distance alternative spellings based on http://norvig.com/spell-correct.html """ alphabet = 'abcdefghijklmnopqrstuvwxyz-_0123456789' s = [(word[:i], word[i:]) for i in range(len(word) + 1)] deletes = [a + b[1:] for a, b in s if b] transposes = [a + b[1] + b[0] + b[2:] for a, b in s if len(b) > 1] replaces = [a + c + b[1:] for a, b in s for c in alphabet if b] inserts = [a + c + b for a, b in s for c in alphabet] return set(deletes + transposes + replaces + inserts) def user_can_sudo(): try: groups = posix.getgroups() return (grp.getgrnam("sudo")[2] in groups or grp.getgrnam("admin")[2] in groups) except KeyError: return False # the new style DB - if that exists we skip the legacy DB dbpath = "/var/lib/command-not-found/commands.db" # the legacy DB shipped in the command-not-found-data package legacy_db = "/usr/share/command-not-found/commands.db" class CommandNotFound(object): programs_dir = "programs.d" max_len = 256 prefixes = ( "/snap/bin", "/bin", "/usr/bin", "/usr/local/bin", "/sbin", "/usr/sbin", "/usr/local/sbin", "/usr/games") snap_cmd = "/usr/bin/snap" output_fd = sys.stderr def __init__(self, data_dir="/usr/share/command-not-found"): self.sources_list = self._getSourcesList() # a new style DB means we can skip loading the old legacy static DB if os.path.exists(dbpath) and os.access(dbpath, os.R_OK): self.db = SqliteDatabase(dbpath) elif os.path.exists(legacy_db): self.db = SqliteDatabase(legacy_db) self.user_can_sudo = user_can_sudo() self.euid = posix.geteuid() def spelling_suggestions(self, word, min_len=3): """ try to correct the spelling """ possible_alternatives = [] if not (min_len <= len(word) <= self.max_len): return possible_alternatives for w in similar_words(word): packages = self.get_packages(w) for (package, ver, comp) in packages: possible_alternatives.append((w, package, comp, ver)) return possible_alternatives def get_packages(self, command): return self.db.lookup(command) def get_snaps(self, command): exact_result = [] mispell_result = [] if not os.path.exists(self.snap_cmd): logging.debug("%s not exists" % self.snap_cmd) return [], [] try: with open(os.devnull) as devnull: output = subprocess.check_output( [self.snap_cmd, "advise-snap", "--format=json", "--command", command], stderr=devnull, universal_newlines=True) except subprocess.CalledProcessError as e: logging.debug("calling snap advice-snap returned an error: %s" % e) return [], [] logging.debug("got %s from snap advise-snap" % output) try: snaps = json.loads(output) except json.JSONDecodeError as e: logging.debug("cannot decoding json: %s" % e) return [], [] for snap in snaps: if snap["Command"] == command: exact_result.append((snap["Snap"], snap["Command"], snap.get("Version"))) else: mispell_result.append((snap["Command"], snap["Snap"], snap.get("Version"))) return exact_result, mispell_result def getBlacklist(self): try: with open(os.sep.join((os.getenv("HOME", "/root"), ".command-not-found.blacklist"))) as blacklist: return [line.strip() for line in blacklist if line.strip() != ""] except IOError: return [] def _getSourcesList(self): try: import apt_pkg from aptsources.sourceslist import SourcesList apt_pkg.init() except (SystemError, ImportError): return [] sources_list = set([]) # The matcher parses info files from # /usr/share/python-apt/templates/ # But we don't use the calculated data, skip it for source in SourcesList(withMatcher=False): if not source.disabled and not source.invalid: for component in source.comps: sources_list.add(component) return sources_list def install_prompt(self, package_name): if not "COMMAND_NOT_FOUND_INSTALL_PROMPT" in os.environ: return if package_name: prompt = _("Do you want to install it? (N/y)") if sys.version >= '3': answer = input(prompt) raw_input = lambda x: x # pyflakes else: answer = raw_input(prompt) if sys.stdin.encoding and isinstance(answer, str): # Decode the answer so that we get an unicode value answer = answer.decode(sys.stdin.encoding) if answer.lower() == _("y"): if self.euid == 0: command_prefix = "" else: command_prefix = "sudo " install_command = "%sapt install %s" % (command_prefix, package_name) print("%s" % install_command, file=sys.stdout) subprocess.call(install_command.split(), shell=False) def print_spelling_suggestions(self, word, mispell_packages, mispell_snaps, max_alt=15): """ print spelling suggestions for packages and snaps """ if len(mispell_packages)+len(mispell_snaps) > max_alt: print("", file=self.output_fd) print(_("Command '%s' not found, but there are %s similar ones.") % (word, len(mispell_packages)), file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() return elif len(mispell_packages)+len(mispell_snaps) > 0: print("", file=self.output_fd) print(_("Command '%s' not found, did you mean:") % word, file=self.output_fd) print("", file=self.output_fd) for (command, snap, ver) in mispell_snaps: if ver: ver = " (%s)" % ver else: ver = "" print(_(" command '%s' from snap %s%s") % (command, snap, ver), file=self.output_fd) for (command, package, comp, ver) in mispell_packages: if ver: ver = " (%s)" % ver else: ver = "" print(_(" command '%s' from deb %s%s") % (command, package, ver), file=self.output_fd) print("", file=self.output_fd) if len(mispell_snaps) > 0: print(_("See 'snap info ' for additional versions."), file=self.output_fd) elif len(mispell_packages) > 0: if self.user_can_sudo: print(_("Try: %s ") % "sudo apt install", file=self.output_fd) else: print(_("Try: %s ") % "apt install", file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() def _print_exact_header(self, command): print(file=self.output_fd) print(_("Command '%(command)s' not found, but can be installed with:") % { 'command': command}, file=self.output_fd) print(file=self.output_fd) def advice_single_snap_package(self, command, packages, snaps): self._print_exact_header(command) snap = snaps[0] if self.euid == 0: print("snap install %s" % snap[0], file=self.output_fd) elif self.user_can_sudo: print("sudo snap install %s" % snap[0], file=self.output_fd) else: print("snap install %s" % snap[0], file=self.output_fd) print(_("Please ask your administrator.")) print("", file=self.output_fd) self.output_fd.flush() def advice_single_deb_package(self, command, packages, snaps): self._print_exact_header(command) if self.euid == 0: print("apt install %s" % packages[0][0], file=self.output_fd) self.install_prompt(packages[0][0]) elif self.user_can_sudo: print("sudo apt install %s" % packages[0][0], file=self.output_fd) self.install_prompt(packages[0][0]) else: print("apt install %s" % packages[0][0], file=self.output_fd) print(_("Please ask your administrator.")) if not packages[0][2] in self.sources_list: print(_("You will have to enable the component called '%s'") % packages[0][2], file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() def sudo(self): if self.euid != 0 and self.user_can_sudo: return "sudo " return "" def advice_multi_deb_package(self, command, packages, snaps): self._print_exact_header(command) pad = max([len(s[0]) for s in snaps+packages]) for i, package in enumerate(packages): ver = "" if package[1]: if i == 0 and len(package) > 1: ver = " # version %s, or" % (package[1]) else: ver = " # version %s" % (package[1]) if package[2] in self.sources_list: print("%sapt install %-*s%s" % (self.sudo(), pad, package[0], ver), file=self.output_fd) else: print("%sapt install %-*s%s" % (self.sudo(), pad, package[0], ver) + " (" + _("You will have to enable component called '%s'") % package[2] + ")", file=self.output_fd) if self.euid != 0 and not self.user_can_sudo: print("", file=self.output_fd) print(_("Ask your administrator to install one of them."), file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() def advice_multi_snap_packages(self, command, packages, snaps): self._print_exact_header(command) pad = max([len(s[0]) for s in snaps+packages]) for i, snap in enumerate(snaps): ver = "" if snap[2]: if i == 0 and len(snaps) > 0: ver = " # version %s, or" % snap[2] else: ver = " # version %s" % snap[2] print("%ssnap install %-*s%s" % (self.sudo(), pad, snap[0], ver), file=self.output_fd) print("", file=self.output_fd) print(_("See 'snap info ' for additional versions."), file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() def advice_multi_mixed_packages(self, command, packages, snaps): self._print_exact_header(command) pad = max([len(s[0]) for s in snaps+packages]) for i, snap in enumerate(snaps): ver="" if snap[2]: if i == 0: ver = " # version %s, or" % snap[2] else: ver = " # version %s" % snap[2] print("%ssnap install %-*s%s" % (self.sudo(), pad, snap[0], ver), file=self.output_fd) for package in packages: ver="" if package[1]: ver = " # version %s" % package[1] print("%sapt install %-*s%s" % (self.sudo(), pad, package[0], ver), file=self.output_fd) print("", file=self.output_fd) if len(snaps) == 1: print(_("See 'snap info %s' for additional versions.") % snaps[0][0], file=self.output_fd) else: print(_("See 'snap info ' for additional versions."), file=self.output_fd) print("", file=self.output_fd) self.output_fd.flush() def advise(self, command, ignore_installed=False): " give advice where to find the given command to stderr " def _in_prefix(prefix, command): " helper that returns if a command is found in the given prefix " return (os.path.exists(os.path.join(prefix, command)) and not os.path.isdir(os.path.join(prefix, command))) if len(command) > self.max_len: return False if command.startswith("/"): if os.path.exists(command): prefixes = [os.path.dirname(command)] else: prefixes = [] else: prefixes = [prefix for prefix in self.prefixes if _in_prefix(prefix, command)] # check if we have it in a common prefix that may not be in the PATH if prefixes and not ignore_installed: if len(prefixes) == 1: print(_("Command '%(command)s' is available in '%(place)s'") % {"command": command, "place": os.path.join(prefixes[0], command)}, file=self.output_fd) else: print(_("Command '%(command)s' is available in the following places") % {"command": command}, file=self.output_fd) for prefix in prefixes: print(" * %s" % os.path.join(prefix, command), file=self.output_fd) missing = list(set(prefixes) - set(os.getenv("PATH", "").split(":"))) if len(missing) > 0: print(_("The command could not be located because '%s' is not included in the PATH environment variable.") % ":".join(missing), file=self.output_fd) if "sbin" in ":".join(missing): print(_("This is most likely caused by the lack of administrative privileges associated with your user account."), file=self.output_fd) return False # do not give advice if we are in a situation where apt # or aptitude are not available (LP: #394843) if not (os.path.exists("/usr/bin/apt") or os.path.exists("/usr/bin/aptitude")): return False if command in self.getBlacklist(): return False packages = self.get_packages(command) snaps, mispell_snaps = self.get_snaps(command) logging.debug("got debs: %s snaps: %s" % (packages, snaps)) if len(packages) == 0 and len(snaps) == 0: mispell_packages = self.spelling_suggestions(command) if len(mispell_packages) > 0 or len(mispell_snaps) > 0: self.print_spelling_suggestions(command, mispell_packages, mispell_snaps) elif len(packages) == 0 and len(snaps) == 1: self.advice_single_snap_package(command, packages, snaps) elif len(snaps) > 0 and len(packages) == 0: self.advice_multi_snap_packages(command, packages, snaps) elif len(packages) == 1 and len(snaps) == 0: self.advice_single_deb_package(command, packages, snaps) elif len(packages) > 1 and len(snaps) == 0: self.advice_multi_deb_package(command, packages, snaps) elif len(packages) > 0 and len(snaps) > 0: self.advice_multi_mixed_packages(command, packages, snaps) # python is special, on 18.04 and newer python2 is no longer installed # which means there is no "python" binary. However python3 is installed # by default. So in addition to the advise how to install it from the # repo also add information that python3 is already installed. if command == "python" and os.path.exists("/usr/bin/python3"): print("You also have python3 installed, you can run 'python3' instead.") print("") return (len(packages) > 0 or len(snaps) > 0 or len(mispell_snaps) > 0 or len(mispell_packages) > 0) command-not-found-18.04.6/CommandNotFound/__init__.py0000664000000000000000000000005014201210125017232 0ustar from __future__ import absolute_import command-not-found-18.04.6/CommandNotFound/db/0000775000000000000000000000000014202510314015517 5ustar command-not-found-18.04.6/CommandNotFound/db/__init__.py0000664000000000000000000000004714201210125017625 0ustar from __future__ import absolute_import command-not-found-18.04.6/CommandNotFound/db/creator.py0000775000000000000000000002074714202510314017545 0ustar #!/usr/bin/python3 import errno import json import logging import os import sqlite3 import sys import time import apt_pkg apt_pkg.init() # TODO: # - add apt.conf.d snippet for download handling # - add apt::update::post-invoke-success handler component_priorities = { 'main': 120, 'universe': 100, 'contrib': 80, 'restricted': 60, 'non-free': 40, 'multiverse': 20, } # pkgnames in here are blacklisted create_db_sql=""" CREATE TABLE IF NOT EXISTS "commands" ( [cmdID] INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL, [pkgID] INTEGER NOT NULL, [command] TEXT, FOREIGN KEY ([pkgID]) REFERENCES "pkgs" ([pkgID]) ); CREATE TABLE IF NOT EXISTS "packages" ( [pkgID] INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL, [name] TEXT, [version] TEXT, [component] TEXT, [priority] INTEGER ); CREATE INDEX IF NOT EXISTS idx_commands_command ON commands (command); CREATE INDEX IF NOT EXISTS idx_packages_name ON packages (name); """ # FIXME: # - add support for foreign arch in DB (add foreign commands if there # is not native command) # - addd support for -backports: pkgname must be appended with /backports # and only be shown if there is no other command available # - do not re-create the DB everytime, only if sources.list changed # - add "last-mtime" into the DB, then we can skip all packages files # where the mtime is older and we only need to update the DB class measure: def __init__(self, what, stats): self.what = what self.stats = stats def __enter__(self): self.now = time.time() def __exit__(self, *args): if not self.what in self.stats: self.stats[self.what] = 0 self.stats[self.what] += time.time() - self.now def rm_f(path): try: os.remove(path) except OSError as e: if e.errno != errno.ENOENT: raise class DbCreator: def __init__(self, files): self.files = files self.primary_arch = apt_pkg.get_architectures()[0] self.stats = {"total": 0,"total_time": time.time()} def create(self, dbname): metadata_file = dbname+".metadata" if not self._db_update_needed(metadata_file): logging.info( "%s does not require an update (inputs unchanged)", dbname) return tmpdb = dbname+".tmp" with sqlite3.connect(tmpdb) as con: con.executescript(create_db_sql) self._fill_commands(con) # remove now stale metadata rm_f(metadata_file) # put database in place os.rename(tmpdb, dbname) # add new metadata with open(metadata_file, "w") as fp: json.dump(self._calc_input_metadata(), fp) def _db_update_needed(self, metadata_file): if not os.path.exists(metadata_file): return True try: with open(metadata_file) as fp: meta = json.load(fp) return meta != self._calc_input_metadata() except Exception as e: logging.warning("cannot read %s: %s", metadata_file, e) return True def _calc_input_metadata(self): meta = {} for p in self.files: st = os.stat(p) meta[p] = { 'st_ino': st.st_ino, 'st_dev': st.st_dev, 'st_uid': st.st_uid, 'st_gid': st.st_gid, 'st_size': st.st_size, 'st_mtime': st.st_mtime, } return meta def _fill_commands(self, con): for f in self.files: with open(f) as fp: self._parse_single_commands_file(con, fp) self.stats["total_time"] = time.time() - self.stats["total_time"] logging.info("processed %i packages in %.2fs" % ( self.stats["total"], self.stats["total_time"])) def _in_db(self, con, command, pkgname): already_in_db = con.execute( """ SELECT packages.pkgID, name, version FROM commands INNER JOIN packages on packages.pkgID = commands.pkgID WHERE commands.command=? AND packages.name=?; """, (command, pkgname)).fetchone() return already_in_db def _delete_pkgid(self, con, pkgid): con.execute("DELETE FROM packages WHERE pkgID=?", (pkgid,) ) con.execute("DELETE FROM commands WHERE pkgID=?", (pkgid,) ) def _get_pkgid(self, con, pkgname): have_pkg = con.execute( "SELECT pkgID from packages WHERE name=?", (pkgname,)).fetchone() if have_pkg: return have_pkg[0] return None def _insert_package(self, con, pkgname, version, component, priority): cur=con.execute(""" INSERT INTO packages (name, version, component, priority) VALUES (?, ?, ?, ?); """, (pkgname, version, component, priority)) return cur.lastrowid def _insert_command(self, con, command, pkg_id): con.execute(""" INSERT INTO commands (command, pkgID) VALUES (?, ?); """, (command, pkg_id)) def _parse_single_commands_file(self, con, fp): tagf = apt_pkg.TagFile(fp) # file empty if not tagf.step(): return # read header suite=tagf.section["suite"] # FIXME: support backports if suite.endswith("-backports"): return component=tagf.section["component"] arch=tagf.section["arch"] # FIXME: add code for secondary arch handling! if arch != "all" and arch != self.primary_arch: return # step over the pkgs while tagf.step(): self.stats["total"] += 1 pkgname=tagf.section["name"] # allow to override the viisble pkgname to accomodate for # cases like "python2.7" which is part of python2.7-minimal # but users should just install python2.7 if tagf.section.get("visible-pkgname"): pkgname = tagf.section["visible-pkgname"] version=tagf.section.get("version", "") ignore_commands=set() if tagf.section.get("ignore-commands", ""): ignore_commands=set(tagf.section.get("ignore-commands", "").split(",")) for command in tagf.section["commands"].split(","): if command in ignore_commands: continue # see if we have the command already with measure("sql_already_db", self.stats): already_in_db=self._in_db(con, command, pkgname) if already_in_db: # we found a version that is higher what we have # in the DB -> remove current, insert higher if apt_pkg.version_compare(version, already_in_db[2]) > 0: logging.debug("replacing exiting %s in DB (higher version)" % command) with measure("sql_delete_already_in_db", self.stats): self._delete_pkgid(con, already_in_db[0]) else: logging.debug("skipping %s from %s (lower/same version)" % (command, suite)) continue logging.debug("adding %s from %s/%s (%s)" % ( command, pkgname, version, suite)) # insert new data with measure("sql_have_pkg", self.stats): pkg_id = self._get_pkgid(con, pkgname) if not pkg_id: priority = component_priorities[component] priority += int(tagf.section.get("priority-bonus", "0")) with measure("sql_insert_pkg", self.stats): pkg_id = self._insert_package(con, pkgname, version, component, priority) with measure("sql_insert_cmd", self.stats): self._insert_command(con, command, pkg_id) if __name__ == "__main__": logging.basicConfig(level=logging.INFO) if len(sys.argv) < 3: print("usage: %s " % sys.argv[0]) print(" e.g.: %s commands.db ./dists/*/*/*/Commands-*" % sys.argv[0]) print(" e.g.: %s /var/lib/command-not-found/commands.db /var/lib/apt/lists/*Commands-*", sys.argv[0]) sys.exit(1) col = DbCreator(sys.argv[2:]) col.create(sys.argv[1]) for stat, amount in col.stats.items(): logging.debug("%s: %s" % (stat, amount)) command-not-found-18.04.6/CommandNotFound/db/db.py0000664000000000000000000000154414201210125016456 0ustar #!/usr/bin/python3 import sqlite3 import apt_pkg apt_pkg.init() class SqliteDatabase(object): def __init__(self, filename): self.con = sqlite3.connect(filename) self.component = "" def lookup(self, command): # deal with invalid unicode (LP: #1130444) command = command.encode("utf-8", "surrogateescape").decode("utf-8", "replace") results = [] for row in self.con.execute( """ SELECT packages.name, packages.version, packages.component FROM commands INNER JOIN packages on packages.pkgID = commands.pkgID WHERE commands.command=? ORDER BY packages.priority DESC """, (command,)).fetchall(): results.append( (row[0], row[1], row[2]) ) return results command-not-found-18.04.6/CommandNotFound/db/dists/0000775000000000000000000000000014202510314016645 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/0000775000000000000000000000000014202510314020110 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/0000775000000000000000000000000014202510314021034 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/0000775000000000000000000000000014202510314021602 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-amd640000664000000000000000000035270414202510314024212 0ustar suite: bionic component: main arch: amd64 name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-aarch64-linux-gnu version: 2.30-15ubuntu1 commands: aarch64-linux-gnu-addr2line,aarch64-linux-gnu-ar,aarch64-linux-gnu-as,aarch64-linux-gnu-c++filt,aarch64-linux-gnu-dwp,aarch64-linux-gnu-elfedit,aarch64-linux-gnu-gprof,aarch64-linux-gnu-ld,aarch64-linux-gnu-ld.bfd,aarch64-linux-gnu-ld.gold,aarch64-linux-gnu-nm,aarch64-linux-gnu-objcopy,aarch64-linux-gnu-objdump,aarch64-linux-gnu-ranlib,aarch64-linux-gnu-readelf,aarch64-linux-gnu-size,aarch64-linux-gnu-strings,aarch64-linux-gnu-strip name: binutils-arm-linux-gnueabihf version: 2.30-15ubuntu1 commands: arm-linux-gnueabihf-addr2line,arm-linux-gnueabihf-ar,arm-linux-gnueabihf-as,arm-linux-gnueabihf-c++filt,arm-linux-gnueabihf-dwp,arm-linux-gnueabihf-elfedit,arm-linux-gnueabihf-gprof,arm-linux-gnueabihf-ld,arm-linux-gnueabihf-ld.bfd,arm-linux-gnueabihf-ld.gold,arm-linux-gnueabihf-nm,arm-linux-gnueabihf-objcopy,arm-linux-gnueabihf-objdump,arm-linux-gnueabihf-ranlib,arm-linux-gnueabihf-readelf,arm-linux-gnueabihf-size,arm-linux-gnueabihf-strings,arm-linux-gnueabihf-strip name: binutils-i686-gnu version: 2.30-15ubuntu1 commands: i686-gnu-addr2line,i686-gnu-ar,i686-gnu-as,i686-gnu-c++filt,i686-gnu-dwp,i686-gnu-elfedit,i686-gnu-gprof,i686-gnu-ld,i686-gnu-ld.bfd,i686-gnu-ld.gold,i686-gnu-nm,i686-gnu-objcopy,i686-gnu-objdump,i686-gnu-ranlib,i686-gnu-readelf,i686-gnu-size,i686-gnu-strings,i686-gnu-strip name: binutils-i686-kfreebsd-gnu version: 2.30-15ubuntu1 commands: i686-kfreebsd-gnu-addr2line,i686-kfreebsd-gnu-ar,i686-kfreebsd-gnu-as,i686-kfreebsd-gnu-c++filt,i686-kfreebsd-gnu-dwp,i686-kfreebsd-gnu-elfedit,i686-kfreebsd-gnu-gprof,i686-kfreebsd-gnu-ld,i686-kfreebsd-gnu-ld.bfd,i686-kfreebsd-gnu-ld.gold,i686-kfreebsd-gnu-nm,i686-kfreebsd-gnu-objcopy,i686-kfreebsd-gnu-objdump,i686-kfreebsd-gnu-ranlib,i686-kfreebsd-gnu-readelf,i686-kfreebsd-gnu-size,i686-kfreebsd-gnu-strings,i686-kfreebsd-gnu-strip name: binutils-i686-linux-gnu version: 2.30-15ubuntu1 commands: i686-linux-gnu-addr2line,i686-linux-gnu-ar,i686-linux-gnu-as,i686-linux-gnu-c++filt,i686-linux-gnu-dwp,i686-linux-gnu-elfedit,i686-linux-gnu-gprof,i686-linux-gnu-ld,i686-linux-gnu-ld.bfd,i686-linux-gnu-ld.gold,i686-linux-gnu-nm,i686-linux-gnu-objcopy,i686-linux-gnu-objdump,i686-linux-gnu-ranlib,i686-linux-gnu-readelf,i686-linux-gnu-size,i686-linux-gnu-strings,i686-linux-gnu-strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: x86_64-linux-gnu-addr2line,x86_64-linux-gnu-ar,x86_64-linux-gnu-gprof,x86_64-linux-gnu-nm,x86_64-linux-gnu-objcopy,x86_64-linux-gnu-objdump,x86_64-linux-gnu-ranlib,x86_64-linux-gnu-readelf,x86_64-linux-gnu-size,x86_64-linux-gnu-strings,x86_64-linux-gnu-strip name: binutils-powerpc-linux-gnu version: 2.30-15ubuntu1 commands: powerpc-linux-gnu-addr2line,powerpc-linux-gnu-ar,powerpc-linux-gnu-as,powerpc-linux-gnu-c++filt,powerpc-linux-gnu-dwp,powerpc-linux-gnu-elfedit,powerpc-linux-gnu-gprof,powerpc-linux-gnu-ld,powerpc-linux-gnu-ld.bfd,powerpc-linux-gnu-ld.gold,powerpc-linux-gnu-nm,powerpc-linux-gnu-objcopy,powerpc-linux-gnu-objdump,powerpc-linux-gnu-ranlib,powerpc-linux-gnu-readelf,powerpc-linux-gnu-size,powerpc-linux-gnu-strings,powerpc-linux-gnu-strip name: binutils-powerpc64le-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64le-linux-gnu-addr2line,powerpc64le-linux-gnu-ar,powerpc64le-linux-gnu-as,powerpc64le-linux-gnu-c++filt,powerpc64le-linux-gnu-dwp,powerpc64le-linux-gnu-elfedit,powerpc64le-linux-gnu-gprof,powerpc64le-linux-gnu-ld,powerpc64le-linux-gnu-ld.bfd,powerpc64le-linux-gnu-ld.gold,powerpc64le-linux-gnu-nm,powerpc64le-linux-gnu-objcopy,powerpc64le-linux-gnu-objdump,powerpc64le-linux-gnu-ranlib,powerpc64le-linux-gnu-readelf,powerpc64le-linux-gnu-size,powerpc64le-linux-gnu-strings,powerpc64le-linux-gnu-strip name: binutils-s390x-linux-gnu version: 2.30-15ubuntu1 commands: s390x-linux-gnu-addr2line,s390x-linux-gnu-ar,s390x-linux-gnu-as,s390x-linux-gnu-c++filt,s390x-linux-gnu-dwp,s390x-linux-gnu-elfedit,s390x-linux-gnu-gprof,s390x-linux-gnu-ld,s390x-linux-gnu-ld.bfd,s390x-linux-gnu-ld.gold,s390x-linux-gnu-nm,s390x-linux-gnu-objcopy,s390x-linux-gnu-objdump,s390x-linux-gnu-ranlib,s390x-linux-gnu-readelf,s390x-linux-gnu-size,s390x-linux-gnu-strings,s390x-linux-gnu-strip name: binutils-x86-64-kfreebsd-gnu version: 2.30-15ubuntu1 commands: x86_64-kfreebsd-gnu-addr2line,x86_64-kfreebsd-gnu-ar,x86_64-kfreebsd-gnu-as,x86_64-kfreebsd-gnu-c++filt,x86_64-kfreebsd-gnu-dwp,x86_64-kfreebsd-gnu-elfedit,x86_64-kfreebsd-gnu-gprof,x86_64-kfreebsd-gnu-ld,x86_64-kfreebsd-gnu-ld.bfd,x86_64-kfreebsd-gnu-ld.gold,x86_64-kfreebsd-gnu-nm,x86_64-kfreebsd-gnu-objcopy,x86_64-kfreebsd-gnu-objdump,x86_64-kfreebsd-gnu-ranlib,x86_64-kfreebsd-gnu-readelf,x86_64-kfreebsd-gnu-size,x86_64-kfreebsd-gnu-strings,x86_64-kfreebsd-gnu-strip name: binutils-x86-64-linux-gnu version: 2.30-15ubuntu1 commands: x86_64-linux-gnu-addr2line,x86_64-linux-gnu-ar,x86_64-linux-gnu-as,x86_64-linux-gnu-c++filt,x86_64-linux-gnu-dwp,x86_64-linux-gnu-elfedit,x86_64-linux-gnu-gold,x86_64-linux-gnu-gprof,x86_64-linux-gnu-ld,x86_64-linux-gnu-ld.bfd,x86_64-linux-gnu-ld.gold,x86_64-linux-gnu-nm,x86_64-linux-gnu-objcopy,x86_64-linux-gnu-objdump,x86_64-linux-gnu-ranlib,x86_64-linux-gnu-readelf,x86_64-linux-gnu-size,x86_64-linux-gnu-strings,x86_64-linux-gnu-strip name: binutils-x86-64-linux-gnux32 version: 2.30-15ubuntu1 commands: x86_64-linux-gnux32-addr2line,x86_64-linux-gnux32-ar,x86_64-linux-gnux32-as,x86_64-linux-gnux32-c++filt,x86_64-linux-gnux32-dwp,x86_64-linux-gnux32-elfedit,x86_64-linux-gnux32-gprof,x86_64-linux-gnux32-ld,x86_64-linux-gnux32-ld.bfd,x86_64-linux-gnux32-ld.gold,x86_64-linux-gnux32-nm,x86_64-linux-gnux32-objcopy,x86_64-linux-gnux32-objdump,x86_64-linux-gnux32-ranlib,x86_64-linux-gnux32-readelf,x86_64-linux-gnux32-size,x86_64-linux-gnux32-strings,x86_64-linux-gnux32-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: cpp,x86_64-linux-gnu-cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: cpp-7,x86_64-linux-gnu-cpp-7 name: cpp-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-cpp-7 name: cpp-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-cpp-7 name: cpp-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-cpp-7 name: cpp-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-cpp-7 name: cpp-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-cpp name: cpp-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-cpp name: cpp-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-cpp name: cpp-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-cpp name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmidecode version: 3.1-1 commands: biosdecode,dmidecode,ownership,vpddecode name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpdk version: 17.11.1-6 commands: dpdk-devbind,dpdk-pdump,dpdk-pmdinfo,dpdk-procinfo,dpdk-test-crypto-perf,dpdk-test-eventdev,testpmd name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: efibootmgr version: 15-1 commands: efibootdump,efibootmgr name: efivar version: 34-1 commands: efivar name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: firefox version: 59.0.2+build1-0ubuntu1 commands: firefox,gnome-www-browser,x-www-browser name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: fwupdate version: 10-3 commands: fwupdate name: g++ version: 4:7.3.0-3ubuntu2 commands: c++,g++,x86_64-linux-gnu-g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: g++-7,x86_64-linux-gnu-g++-7 name: g++-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-g++-7 name: g++-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-g++-7 name: g++-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-g++-7 name: g++-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-g++-7 name: g++-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-g++ name: g++-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-g++ name: g++-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-g++ name: g++-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-g++ name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool,x86_64-linux-gnu-gcc,x86_64-linux-gnu-gcc-ar,x86_64-linux-gnu-gcc-nm,x86_64-linux-gnu-gcc-ranlib,x86_64-linux-gnu-gcov,x86_64-linux-gnu-gcov-dump,x86_64-linux-gnu-gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7,x86_64-linux-gnu-gcc-7,x86_64-linux-gnu-gcc-ar-7,x86_64-linux-gnu-gcc-nm-7,x86_64-linux-gnu-gcc-ranlib-7,x86_64-linux-gnu-gcov-7,x86_64-linux-gnu-gcov-dump-7,x86_64-linux-gnu-gcov-tool-7 name: gcc-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gcc-7,aarch64-linux-gnu-gcc-ar-7,aarch64-linux-gnu-gcc-nm-7,aarch64-linux-gnu-gcc-ranlib-7,aarch64-linux-gnu-gcov-7,aarch64-linux-gnu-gcov-dump-7,aarch64-linux-gnu-gcov-tool-7 name: gcc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gcc-7,arm-linux-gnueabihf-gcc-ar-7,arm-linux-gnueabihf-gcc-nm-7,arm-linux-gnueabihf-gcc-ranlib-7,arm-linux-gnueabihf-gcov-7,arm-linux-gnueabihf-gcov-dump-7,arm-linux-gnueabihf-gcov-tool-7 name: gcc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gcc-7,powerpc-linux-gnu-gcc-ar-7,powerpc-linux-gnu-gcc-nm-7,powerpc-linux-gnu-gcc-ranlib-7,powerpc-linux-gnu-gcov-7,powerpc-linux-gnu-gcov-dump-7,powerpc-linux-gnu-gcov-tool-7 name: gcc-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gcc-7,powerpc64le-linux-gnu-gcc-ar-7,powerpc64le-linux-gnu-gcc-nm-7,powerpc64le-linux-gnu-gcc-ranlib-7,powerpc64le-linux-gnu-gcov-7,powerpc64le-linux-gnu-gcov-dump-7,powerpc64le-linux-gnu-gcov-tool-7 name: gcc-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gcc,aarch64-linux-gnu-gcc-ar,aarch64-linux-gnu-gcc-nm,aarch64-linux-gnu-gcc-ranlib,aarch64-linux-gnu-gcov,aarch64-linux-gnu-gcov-dump,aarch64-linux-gnu-gcov-tool name: gcc-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gcc,arm-linux-gnueabihf-gcc-ar,arm-linux-gnueabihf-gcc-nm,arm-linux-gnueabihf-gcc-ranlib,arm-linux-gnueabihf-gcov,arm-linux-gnueabihf-gcov-dump,arm-linux-gnueabihf-gcov-tool name: gcc-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gcc,powerpc-linux-gnu-gcc-ar,powerpc-linux-gnu-gcc-nm,powerpc-linux-gnu-gcc-ranlib,powerpc-linux-gnu-gcov,powerpc-linux-gnu-gcov-dump,powerpc-linux-gnu-gcov-tool name: gcc-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-gcc,powerpc64le-linux-gnu-gcc-ar,powerpc64le-linux-gnu-gcc-nm,powerpc64le-linux-gnu-gcc-ranlib,powerpc64le-linux-gnu-gcov,powerpc64le-linux-gnu-gcov-dump,powerpc64le-linux-gnu-gcov-tool name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: gcore,gdb,gdb-add-index,gdbtui name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: f77,f95,gfortran,x86_64-linux-gnu-gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: gfortran-7,x86_64-linux-gnu-gfortran-7 name: gfxboot version: 4.5.2-1.1-5build1 commands: gfxboot name: gfxboot-dev version: 4.5.2-1.1-5build1 commands: gfxboot-compile,gfxboot-font,gfxtest name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-gfxpayload-lists version: 0.7 commands: update-grub-gfxpayload name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: grub-pc version: 2.02-2ubuntu8 commands: grub-bios-setup,grub-ntldr-img,upgrade-from-grub-legacy name: grub2-common version: 2.02-2ubuntu8 commands: grub-install,grub-reboot,grub-set-default,update-grub,update-grub2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibmasm-utils version: 3.0-1ubuntu12 commands: evnode,ibmspdown,ibmsphalt,ibmspup name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: intel-gpu-tools version: 1.22-1 commands: igt_stats,intel-gen4asm,intel-gen4disasm,intel-gpu-overlay,intel_aubdump,intel_audio_dump,intel_backlight,intel_bios_dumper,intel_display_crc,intel_display_poller,intel_dp_compliance,intel_dump_decode,intel_error_decode,intel_firmware_decode,intel_forcewaked,intel_framebuffer_dump,intel_gem_info,intel_gpu_abrt,intel_gpu_frequency,intel_gpu_time,intel_gpu_top,intel_gtt,intel_guc_logger,intel_gvtg_test,intel_infoframes,intel_l3_parity,intel_lid,intel_opregion_decode,intel_panel_fitter,intel_perf_counters,intel_reg,intel_reg_checker,intel_residency,intel_stepping,intel_vbt_decode,intel_watermark name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: findchip,irattach,irdadump,irdaping,irnetd,irpsion5,smcinit name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iucode-tool version: 2.3.1-1 commands: iucode-tool,iucode_tool name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,resizecons,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom,fftwl-wisdom,fftwq-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-x86_64-linux-gnu,perl5.26-x86_64-linux-gnu name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: x86_64-linux-gnu-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: x86_64-linux-gnu-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: x86_64-linux-gnu-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: x86_64-linux-gnu-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: x86_64-linux-gnu-python3-dbg-config,x86_64-linux-gnu-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: x86_64-linux-gnu-python3-config,x86_64-linux-gnu-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: x86_64-linux-gnu-python3.6-dbg-config,x86_64-linux-gnu-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: x86_64-linux-gnu-python3.6-config,x86_64-linux-gnu-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lilo version: 1:24.2-3 commands: keytab-lilo,lilo,lilo-uuid-diskid,liloconfig,mkrescue,update-lilo name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: lld-6.0 version: 1:6.0-1ubuntu2 commands: ld.lld-6.0,ld64.lld-6.0,lld-6.0,lld-link-6.0,wasm-ld-6.0 name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lupin-support version: 0.57build1 commands: grub-install name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mknbi version: 1.4.4-14 commands: disnbi,mkelf-linux,mkelf-menu,mknbi-dos,mknbi-fdos,mknbi-linux,mknbi-menu,mknbi-rom name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mokutil version: 0.3.0-0ubuntu5 commands: mokutil name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: msr-tools version: 1.3-2build1 commands: rdmsr,wrmsr name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: numactl version: 2.0.11-2.1 commands: migratepages,numactl,numastat name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: nvidia-settings version: 390.42-0ubuntu1 commands: nvidia-settings name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: open-vm-tools version: 2:10.2.0-3ubuntu3 commands: VGAuthService,mount.vmhgfs,vmhgfs-fuse,vmtoolsd,vmware-checkvm,vmware-guestproxycerttool,vmware-hgfsclient,vmware-namespace-cmd,vmware-rpctool,vmware-toolbox-cmd,vmware-user,vmware-vgauth-cmd,vmware-vgauth-smoketest,vmware-vmblock-fuse,vmware-xferlogs name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jaotc,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: openvswitch-switch-dpdk version: 2.9.0-0ubuntu1 commands: ovs-vswitchd name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: pkg-config,x86_64-pc-linux-gnu-pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,peekfd,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm,kvm-spice,qemu-system-x86_64-spice name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: x86_64-linux-gnu-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbsigntool version: 0.6-3.2ubuntu2 commands: kmodsign,sbattach,sbkeysync,sbsiglist,sbsign,sbvarsign,sbverify name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shim-signed version: 1.34.9+13-0ubuntu2 commands: update-secureboot-policy name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: syslinux version: 3:6.03+dfsg1-2 commands: syslinux name: syslinux-legacy version: 2:3.63+dfsg-2ubuntu9 commands: syslinux-legacy name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luajittex,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfluajit,mfluajit-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,texluajit,texluajitc,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: thermald version: 1.7.0-5ubuntu1 commands: thermald name: thunderbird version: 1:52.7.0+build1-0ubuntu1 commands: thunderbird name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: gpu-manager,nvidia-detector,quirks-handler,u-d-c-print-pci-ids,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-creator-gtk version: 0.3.5 commands: usb-creator-gtk name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,i386,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,x86_64,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: walinuxagent version: 2.2.21+really2.2.20-0ubuntu3 commands: ephemeral-disk-warning,waagent,waagent2.0 name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xserver-xorg-video-intel version: 2:2.99.917+git20171229-1 commands: intel-virtual-output name: xserver-xorg-video-vmware version: 1:13.2.1-1build1 commands: vmwarectrl name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-arm640000664000000000000000000033255214202510314024227 0ustar suite: bionic component: main arch: arm64 name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-aarch64-linux-gnu version: 2.30-15ubuntu1 commands: aarch64-linux-gnu-addr2line,aarch64-linux-gnu-ar,aarch64-linux-gnu-as,aarch64-linux-gnu-c++filt,aarch64-linux-gnu-dwp,aarch64-linux-gnu-elfedit,aarch64-linux-gnu-gold,aarch64-linux-gnu-gprof,aarch64-linux-gnu-ld,aarch64-linux-gnu-ld.bfd,aarch64-linux-gnu-ld.gold,aarch64-linux-gnu-nm,aarch64-linux-gnu-objcopy,aarch64-linux-gnu-objdump,aarch64-linux-gnu-ranlib,aarch64-linux-gnu-readelf,aarch64-linux-gnu-size,aarch64-linux-gnu-strings,aarch64-linux-gnu-strip name: binutils-arm-linux-gnueabihf version: 2.30-15ubuntu1 commands: arm-linux-gnueabihf-addr2line,arm-linux-gnueabihf-ar,arm-linux-gnueabihf-as,arm-linux-gnueabihf-c++filt,arm-linux-gnueabihf-dwp,arm-linux-gnueabihf-elfedit,arm-linux-gnueabihf-gprof,arm-linux-gnueabihf-ld,arm-linux-gnueabihf-ld.bfd,arm-linux-gnueabihf-ld.gold,arm-linux-gnueabihf-nm,arm-linux-gnueabihf-objcopy,arm-linux-gnueabihf-objdump,arm-linux-gnueabihf-ranlib,arm-linux-gnueabihf-readelf,arm-linux-gnueabihf-size,arm-linux-gnueabihf-strings,arm-linux-gnueabihf-strip name: binutils-i686-linux-gnu version: 2.30-15ubuntu1 commands: i686-linux-gnu-addr2line,i686-linux-gnu-ar,i686-linux-gnu-as,i686-linux-gnu-c++filt,i686-linux-gnu-dwp,i686-linux-gnu-elfedit,i686-linux-gnu-gprof,i686-linux-gnu-ld,i686-linux-gnu-ld.bfd,i686-linux-gnu-ld.gold,i686-linux-gnu-nm,i686-linux-gnu-objcopy,i686-linux-gnu-objdump,i686-linux-gnu-ranlib,i686-linux-gnu-readelf,i686-linux-gnu-size,i686-linux-gnu-strings,i686-linux-gnu-strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: aarch64-linux-gnu-addr2line,aarch64-linux-gnu-ar,aarch64-linux-gnu-gprof,aarch64-linux-gnu-nm,aarch64-linux-gnu-objcopy,aarch64-linux-gnu-objdump,aarch64-linux-gnu-ranlib,aarch64-linux-gnu-readelf,aarch64-linux-gnu-size,aarch64-linux-gnu-strings,aarch64-linux-gnu-strip name: binutils-x86-64-linux-gnu version: 2.30-15ubuntu1 commands: x86_64-linux-gnu-addr2line,x86_64-linux-gnu-ar,x86_64-linux-gnu-as,x86_64-linux-gnu-c++filt,x86_64-linux-gnu-dwp,x86_64-linux-gnu-elfedit,x86_64-linux-gnu-gprof,x86_64-linux-gnu-ld,x86_64-linux-gnu-ld.bfd,x86_64-linux-gnu-ld.gold,x86_64-linux-gnu-nm,x86_64-linux-gnu-objcopy,x86_64-linux-gnu-objdump,x86_64-linux-gnu-ranlib,x86_64-linux-gnu-readelf,x86_64-linux-gnu-size,x86_64-linux-gnu-strings,x86_64-linux-gnu-strip name: binutils-x86-64-linux-gnux32 version: 2.30-15ubuntu1 commands: x86_64-linux-gnux32-addr2line,x86_64-linux-gnux32-ar,x86_64-linux-gnux32-as,x86_64-linux-gnux32-c++filt,x86_64-linux-gnux32-dwp,x86_64-linux-gnux32-elfedit,x86_64-linux-gnux32-gprof,x86_64-linux-gnux32-ld,x86_64-linux-gnux32-ld.bfd,x86_64-linux-gnux32-ld.gold,x86_64-linux-gnux32-nm,x86_64-linux-gnux32-objcopy,x86_64-linux-gnux32-objdump,x86_64-linux-gnux32-ranlib,x86_64-linux-gnux32-readelf,x86_64-linux-gnux32-size,x86_64-linux-gnux32-strings,x86_64-linux-gnux32-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-cpp,cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-cpp-7,cpp-7 name: cpp-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-cpp-7 name: cpp-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-cpp name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmidecode version: 3.1-1 commands: dmidecode name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpdk version: 17.11.1-6 commands: dpdk-devbind,dpdk-pdump,dpdk-pmdinfo,dpdk-procinfo,dpdk-test-crypto-perf,dpdk-test-eventdev,testpmd name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: efibootmgr version: 15-1 commands: efibootdump,efibootmgr name: efivar version: 34-1 commands: efivar name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: firefox version: 59.0.2+build1-0ubuntu1 commands: firefox,gnome-www-browser,x-www-browser name: flash-kernel version: 3.90ubuntu3 commands: flash-kernel name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: fwupdate version: 10-3 commands: fwupdate name: g++ version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-g++,c++,g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-g++-7,g++-7 name: g++-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-g++-7 name: g++-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-g++ name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gcc,aarch64-linux-gnu-gcc-ar,aarch64-linux-gnu-gcc-nm,aarch64-linux-gnu-gcc-ranlib,aarch64-linux-gnu-gcov,aarch64-linux-gnu-gcov-dump,aarch64-linux-gnu-gcov-tool,c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-gcc-7,aarch64-linux-gnu-gcc-ar-7,aarch64-linux-gnu-gcc-nm-7,aarch64-linux-gnu-gcc-ranlib-7,aarch64-linux-gnu-gcov-7,aarch64-linux-gnu-gcov-dump-7,aarch64-linux-gnu-gcov-tool-7,gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7 name: gcc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gcc-7,arm-linux-gnueabihf-gcc-ar-7,arm-linux-gnueabihf-gcc-nm-7,arm-linux-gnueabihf-gcc-ranlib-7,arm-linux-gnueabihf-gcov-7,arm-linux-gnueabihf-gcov-dump-7,arm-linux-gnueabihf-gcov-tool-7 name: gcc-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gcc,arm-linux-gnueabihf-gcc-ar,arm-linux-gnueabihf-gcc-nm,arm-linux-gnueabihf-gcc-ranlib,arm-linux-gnueabihf-gcov,arm-linux-gnueabihf-gcov-dump,arm-linux-gnueabihf-gcov-tool name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: aarch64-linux-gnu-run,gcore,gdb,gdb-add-index,gdbtui name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gfortran,f77,f95,gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-gfortran-7,gfortran-7 name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: grub2-common version: 2.02-2ubuntu8 commands: grub-install,grub-reboot,grub-set-default,update-grub,update-grub2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: irattach,irdadump,irdaping,irnetd,irpsion5 name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom,fftwl-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-aarch64-linux-gnu,perl5.26-aarch64-linux-gnu name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: aarch64-linux-gnu-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: aarch64-linux-gnu-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: aarch64-linux-gnu-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: aarch64-linux-gnu-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: aarch64-linux-gnu-python3-dbg-config,aarch64-linux-gnu-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: aarch64-linux-gnu-python3-config,aarch64-linux-gnu-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: aarch64-linux-gnu-python3.6-dbg-config,aarch64-linux-gnu-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: aarch64-linux-gnu-python3.6-config,aarch64-linux-gnu-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mokutil version: 0.3.0-0ubuntu5 commands: mokutil name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: numactl version: 2.0.11-2.1 commands: migratepages,numactl,numastat name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: nvidia-settings version: 390.42-0ubuntu1 commands: nvidia-settings name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: openvswitch-switch-dpdk version: 2.9.0-0ubuntu1 commands: ovs-vswitchd name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: aarch64-unknown-linux-gnu-pkg-config,pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: aarch64-linux-gnu-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbsigntool version: 0.6-3.2ubuntu2 commands: kmodsign,sbattach,sbkeysync,sbsiglist,sbsign,sbvarsign,sbverify name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: thunderbird version: 1:52.7.0+build1-0ubuntu1 commands: thunderbird name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: nvidia-detector,quirks-handler,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-armhf0000664000000000000000000032474614202510314024401 0ustar suite: bionic component: main arch: armhf name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-arm-linux-gnueabihf version: 2.30-15ubuntu1 commands: arm-linux-gnueabihf-addr2line,arm-linux-gnueabihf-ar,arm-linux-gnueabihf-as,arm-linux-gnueabihf-c++filt,arm-linux-gnueabihf-dwp,arm-linux-gnueabihf-elfedit,arm-linux-gnueabihf-gold,arm-linux-gnueabihf-gprof,arm-linux-gnueabihf-ld,arm-linux-gnueabihf-ld.bfd,arm-linux-gnueabihf-ld.gold,arm-linux-gnueabihf-nm,arm-linux-gnueabihf-objcopy,arm-linux-gnueabihf-objdump,arm-linux-gnueabihf-ranlib,arm-linux-gnueabihf-readelf,arm-linux-gnueabihf-size,arm-linux-gnueabihf-strings,arm-linux-gnueabihf-strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: arm-linux-gnueabihf-addr2line,arm-linux-gnueabihf-ar,arm-linux-gnueabihf-gprof,arm-linux-gnueabihf-nm,arm-linux-gnueabihf-objcopy,arm-linux-gnueabihf-objdump,arm-linux-gnueabihf-ranlib,arm-linux-gnueabihf-readelf,arm-linux-gnueabihf-size,arm-linux-gnueabihf-strings,arm-linux-gnueabihf-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-cpp,cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-cpp-7,cpp-7 name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmidecode version: 3.1-1 commands: dmidecode name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: efibootmgr version: 15-1 commands: efibootdump,efibootmgr name: efivar version: 34-1 commands: efivar name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: firefox version: 59.0.2+build1-0ubuntu1 commands: firefox,gnome-www-browser,x-www-browser name: flash-kernel version: 3.90ubuntu3 commands: flash-kernel name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: fwupdate version: 10-3 commands: fwupdate name: g++ version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-g++,c++,g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-g++-7,g++-7 name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gcc,arm-linux-gnueabihf-gcc-ar,arm-linux-gnueabihf-gcc-nm,arm-linux-gnueabihf-gcc-ranlib,arm-linux-gnueabihf-gcov,arm-linux-gnueabihf-gcov-dump,arm-linux-gnueabihf-gcov-tool,c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-gcc-7,arm-linux-gnueabihf-gcc-ar-7,arm-linux-gnueabihf-gcc-nm-7,arm-linux-gnueabihf-gcc-ranlib-7,arm-linux-gnueabihf-gcov-7,arm-linux-gnueabihf-gcov-dump-7,arm-linux-gnueabihf-gcov-tool-7,gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7 name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: arm-linux-gnueabihf-run,gcore,gdb,gdb-add-index,gdbtui name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gfortran,f77,f95,gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-gfortran-7,gfortran-7 name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: grub2-common version: 2.02-2ubuntu8 commands: grub-install,grub-reboot,grub-set-default,update-grub,update-grub2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: irattach,irdadump,irdaping,irnetd,irpsion5 name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-arm-linux-gnueabihf,perl5.26-arm-linux-gnueabihf name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: arm-linux-gnueabihf-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: arm-linux-gnueabihf-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: arm-linux-gnueabihf-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: arm-linux-gnueabihf-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: arm-linux-gnueabihf-python3-dbg-config,arm-linux-gnueabihf-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: arm-linux-gnueabihf-python3-config,arm-linux-gnueabihf-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: arm-linux-gnueabihf-python3.6-dbg-config,arm-linux-gnueabihf-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: arm-linux-gnueabihf-python3.6-config,arm-linux-gnueabihf-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: lld-6.0 version: 1:6.0-1ubuntu2 commands: ld.lld-6.0,ld64.lld-6.0,lld-6.0,lld-link-6.0,wasm-ld-6.0 name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mokutil version: 0.3.0-0ubuntu5 commands: mokutil name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: nvidia-settings version: 390.42-0ubuntu1 commands: nvidia-settings name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: arm-unknown-linux-gnueabihf-pkg-config,pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,peekfd,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: arm-linux-gnueabihf-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbsigntool version: 0.6-3.2ubuntu2 commands: kmodsign,sbattach,sbkeysync,sbsiglist,sbsign,sbvarsign,sbverify name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luajittex,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfluajit,mfluajit-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,texluajit,texluajitc,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: thunderbird version: 1:52.7.0+build1-0ubuntu1 commands: thunderbird name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: nvidia-detector,quirks-handler,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-i3860000664000000000000000000035335214202510314023770 0ustar suite: bionic component: main arch: i386 name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-aarch64-linux-gnu version: 2.30-15ubuntu1 commands: aarch64-linux-gnu-addr2line,aarch64-linux-gnu-ar,aarch64-linux-gnu-as,aarch64-linux-gnu-c++filt,aarch64-linux-gnu-dwp,aarch64-linux-gnu-elfedit,aarch64-linux-gnu-gprof,aarch64-linux-gnu-ld,aarch64-linux-gnu-ld.bfd,aarch64-linux-gnu-ld.gold,aarch64-linux-gnu-nm,aarch64-linux-gnu-objcopy,aarch64-linux-gnu-objdump,aarch64-linux-gnu-ranlib,aarch64-linux-gnu-readelf,aarch64-linux-gnu-size,aarch64-linux-gnu-strings,aarch64-linux-gnu-strip name: binutils-arm-linux-gnueabihf version: 2.30-15ubuntu1 commands: arm-linux-gnueabihf-addr2line,arm-linux-gnueabihf-ar,arm-linux-gnueabihf-as,arm-linux-gnueabihf-c++filt,arm-linux-gnueabihf-dwp,arm-linux-gnueabihf-elfedit,arm-linux-gnueabihf-gprof,arm-linux-gnueabihf-ld,arm-linux-gnueabihf-ld.bfd,arm-linux-gnueabihf-ld.gold,arm-linux-gnueabihf-nm,arm-linux-gnueabihf-objcopy,arm-linux-gnueabihf-objdump,arm-linux-gnueabihf-ranlib,arm-linux-gnueabihf-readelf,arm-linux-gnueabihf-size,arm-linux-gnueabihf-strings,arm-linux-gnueabihf-strip name: binutils-i686-gnu version: 2.30-15ubuntu1 commands: i686-gnu-addr2line,i686-gnu-ar,i686-gnu-as,i686-gnu-c++filt,i686-gnu-dwp,i686-gnu-elfedit,i686-gnu-gprof,i686-gnu-ld,i686-gnu-ld.bfd,i686-gnu-ld.gold,i686-gnu-nm,i686-gnu-objcopy,i686-gnu-objdump,i686-gnu-ranlib,i686-gnu-readelf,i686-gnu-size,i686-gnu-strings,i686-gnu-strip name: binutils-i686-kfreebsd-gnu version: 2.30-15ubuntu1 commands: i686-kfreebsd-gnu-addr2line,i686-kfreebsd-gnu-ar,i686-kfreebsd-gnu-as,i686-kfreebsd-gnu-c++filt,i686-kfreebsd-gnu-dwp,i686-kfreebsd-gnu-elfedit,i686-kfreebsd-gnu-gprof,i686-kfreebsd-gnu-ld,i686-kfreebsd-gnu-ld.bfd,i686-kfreebsd-gnu-ld.gold,i686-kfreebsd-gnu-nm,i686-kfreebsd-gnu-objcopy,i686-kfreebsd-gnu-objdump,i686-kfreebsd-gnu-ranlib,i686-kfreebsd-gnu-readelf,i686-kfreebsd-gnu-size,i686-kfreebsd-gnu-strings,i686-kfreebsd-gnu-strip name: binutils-i686-linux-gnu version: 2.30-15ubuntu1 commands: i686-linux-gnu-addr2line,i686-linux-gnu-ar,i686-linux-gnu-as,i686-linux-gnu-c++filt,i686-linux-gnu-dwp,i686-linux-gnu-elfedit,i686-linux-gnu-gold,i686-linux-gnu-gprof,i686-linux-gnu-ld,i686-linux-gnu-ld.bfd,i686-linux-gnu-ld.gold,i686-linux-gnu-nm,i686-linux-gnu-objcopy,i686-linux-gnu-objdump,i686-linux-gnu-ranlib,i686-linux-gnu-readelf,i686-linux-gnu-size,i686-linux-gnu-strings,i686-linux-gnu-strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: i686-linux-gnu-addr2line,i686-linux-gnu-ar,i686-linux-gnu-gprof,i686-linux-gnu-nm,i686-linux-gnu-objcopy,i686-linux-gnu-objdump,i686-linux-gnu-ranlib,i686-linux-gnu-readelf,i686-linux-gnu-size,i686-linux-gnu-strings,i686-linux-gnu-strip name: binutils-powerpc-linux-gnu version: 2.30-15ubuntu1 commands: powerpc-linux-gnu-addr2line,powerpc-linux-gnu-ar,powerpc-linux-gnu-as,powerpc-linux-gnu-c++filt,powerpc-linux-gnu-dwp,powerpc-linux-gnu-elfedit,powerpc-linux-gnu-gprof,powerpc-linux-gnu-ld,powerpc-linux-gnu-ld.bfd,powerpc-linux-gnu-ld.gold,powerpc-linux-gnu-nm,powerpc-linux-gnu-objcopy,powerpc-linux-gnu-objdump,powerpc-linux-gnu-ranlib,powerpc-linux-gnu-readelf,powerpc-linux-gnu-size,powerpc-linux-gnu-strings,powerpc-linux-gnu-strip name: binutils-powerpc64le-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64le-linux-gnu-addr2line,powerpc64le-linux-gnu-ar,powerpc64le-linux-gnu-as,powerpc64le-linux-gnu-c++filt,powerpc64le-linux-gnu-dwp,powerpc64le-linux-gnu-elfedit,powerpc64le-linux-gnu-gprof,powerpc64le-linux-gnu-ld,powerpc64le-linux-gnu-ld.bfd,powerpc64le-linux-gnu-ld.gold,powerpc64le-linux-gnu-nm,powerpc64le-linux-gnu-objcopy,powerpc64le-linux-gnu-objdump,powerpc64le-linux-gnu-ranlib,powerpc64le-linux-gnu-readelf,powerpc64le-linux-gnu-size,powerpc64le-linux-gnu-strings,powerpc64le-linux-gnu-strip name: binutils-s390x-linux-gnu version: 2.30-15ubuntu1 commands: s390x-linux-gnu-addr2line,s390x-linux-gnu-ar,s390x-linux-gnu-as,s390x-linux-gnu-c++filt,s390x-linux-gnu-dwp,s390x-linux-gnu-elfedit,s390x-linux-gnu-gprof,s390x-linux-gnu-ld,s390x-linux-gnu-ld.bfd,s390x-linux-gnu-ld.gold,s390x-linux-gnu-nm,s390x-linux-gnu-objcopy,s390x-linux-gnu-objdump,s390x-linux-gnu-ranlib,s390x-linux-gnu-readelf,s390x-linux-gnu-size,s390x-linux-gnu-strings,s390x-linux-gnu-strip name: binutils-x86-64-kfreebsd-gnu version: 2.30-15ubuntu1 commands: x86_64-kfreebsd-gnu-addr2line,x86_64-kfreebsd-gnu-ar,x86_64-kfreebsd-gnu-as,x86_64-kfreebsd-gnu-c++filt,x86_64-kfreebsd-gnu-dwp,x86_64-kfreebsd-gnu-elfedit,x86_64-kfreebsd-gnu-gprof,x86_64-kfreebsd-gnu-ld,x86_64-kfreebsd-gnu-ld.bfd,x86_64-kfreebsd-gnu-ld.gold,x86_64-kfreebsd-gnu-nm,x86_64-kfreebsd-gnu-objcopy,x86_64-kfreebsd-gnu-objdump,x86_64-kfreebsd-gnu-ranlib,x86_64-kfreebsd-gnu-readelf,x86_64-kfreebsd-gnu-size,x86_64-kfreebsd-gnu-strings,x86_64-kfreebsd-gnu-strip name: binutils-x86-64-linux-gnu version: 2.30-15ubuntu1 commands: x86_64-linux-gnu-addr2line,x86_64-linux-gnu-ar,x86_64-linux-gnu-as,x86_64-linux-gnu-c++filt,x86_64-linux-gnu-dwp,x86_64-linux-gnu-elfedit,x86_64-linux-gnu-gprof,x86_64-linux-gnu-ld,x86_64-linux-gnu-ld.bfd,x86_64-linux-gnu-ld.gold,x86_64-linux-gnu-nm,x86_64-linux-gnu-objcopy,x86_64-linux-gnu-objdump,x86_64-linux-gnu-ranlib,x86_64-linux-gnu-readelf,x86_64-linux-gnu-size,x86_64-linux-gnu-strings,x86_64-linux-gnu-strip name: binutils-x86-64-linux-gnux32 version: 2.30-15ubuntu1 commands: x86_64-linux-gnux32-addr2line,x86_64-linux-gnux32-ar,x86_64-linux-gnux32-as,x86_64-linux-gnux32-c++filt,x86_64-linux-gnux32-dwp,x86_64-linux-gnux32-elfedit,x86_64-linux-gnux32-gprof,x86_64-linux-gnux32-ld,x86_64-linux-gnux32-ld.bfd,x86_64-linux-gnux32-ld.gold,x86_64-linux-gnux32-nm,x86_64-linux-gnux32-objcopy,x86_64-linux-gnux32-objdump,x86_64-linux-gnux32-ranlib,x86_64-linux-gnux32-readelf,x86_64-linux-gnux32-size,x86_64-linux-gnux32-strings,x86_64-linux-gnux32-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: cpp,i586-linux-gnu-cpp,i686-linux-gnu-cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: cpp-7,i686-linux-gnu-cpp-7 name: cpp-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-cpp-7 name: cpp-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-cpp-7 name: cpp-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-cpp-7 name: cpp-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-cpp-7 name: cpp-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-cpp name: cpp-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-cpp name: cpp-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-cpp name: cpp-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-cpp name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmidecode version: 3.1-1 commands: biosdecode,dmidecode,ownership,vpddecode name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpdk version: 17.11.1-6 commands: dpdk-devbind,dpdk-pdump,dpdk-pmdinfo,dpdk-procinfo,dpdk-test-crypto-perf,dpdk-test-eventdev,testpmd name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: efibootmgr version: 15-1 commands: efibootdump,efibootmgr name: efivar version: 34-1 commands: efivar name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: firefox version: 59.0.2+build1-0ubuntu1 commands: firefox,gnome-www-browser,x-www-browser name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: fwupdate version: 10-3 commands: fwupdate name: g++ version: 4:7.3.0-3ubuntu2 commands: c++,g++,i586-linux-gnu-g++,i686-linux-gnu-g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: g++-7,i686-linux-gnu-g++-7 name: g++-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-g++-7 name: g++-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-g++-7 name: g++-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-g++-7 name: g++-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-g++-7 name: g++-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-g++ name: g++-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-g++ name: g++-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-g++ name: g++-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-g++ name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool,i586-linux-gnu-gcc,i586-linux-gnu-gcc-ar,i586-linux-gnu-gcc-nm,i586-linux-gnu-gcc-ranlib,i586-linux-gnu-gcov,i586-linux-gnu-gcov-dump,i586-linux-gnu-gcov-tool,i686-linux-gnu-gcc,i686-linux-gnu-gcc-ar,i686-linux-gnu-gcc-nm,i686-linux-gnu-gcc-ranlib,i686-linux-gnu-gcov,i686-linux-gnu-gcov-dump,i686-linux-gnu-gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7,i686-linux-gnu-gcc-7,i686-linux-gnu-gcc-ar-7,i686-linux-gnu-gcc-nm-7,i686-linux-gnu-gcc-ranlib-7,i686-linux-gnu-gcov-7,i686-linux-gnu-gcov-dump-7,i686-linux-gnu-gcov-tool-7 name: gcc-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gcc-7,aarch64-linux-gnu-gcc-ar-7,aarch64-linux-gnu-gcc-nm-7,aarch64-linux-gnu-gcc-ranlib-7,aarch64-linux-gnu-gcov-7,aarch64-linux-gnu-gcov-dump-7,aarch64-linux-gnu-gcov-tool-7 name: gcc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gcc-7,arm-linux-gnueabihf-gcc-ar-7,arm-linux-gnueabihf-gcc-nm-7,arm-linux-gnueabihf-gcc-ranlib-7,arm-linux-gnueabihf-gcov-7,arm-linux-gnueabihf-gcov-dump-7,arm-linux-gnueabihf-gcov-tool-7 name: gcc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gcc-7,powerpc-linux-gnu-gcc-ar-7,powerpc-linux-gnu-gcc-nm-7,powerpc-linux-gnu-gcc-ranlib-7,powerpc-linux-gnu-gcov-7,powerpc-linux-gnu-gcov-dump-7,powerpc-linux-gnu-gcov-tool-7 name: gcc-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gcc-7,powerpc64le-linux-gnu-gcc-ar-7,powerpc64le-linux-gnu-gcc-nm-7,powerpc64le-linux-gnu-gcc-ranlib-7,powerpc64le-linux-gnu-gcov-7,powerpc64le-linux-gnu-gcov-dump-7,powerpc64le-linux-gnu-gcov-tool-7 name: gcc-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gcc,aarch64-linux-gnu-gcc-ar,aarch64-linux-gnu-gcc-nm,aarch64-linux-gnu-gcc-ranlib,aarch64-linux-gnu-gcov,aarch64-linux-gnu-gcov-dump,aarch64-linux-gnu-gcov-tool name: gcc-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gcc,arm-linux-gnueabihf-gcc-ar,arm-linux-gnueabihf-gcc-nm,arm-linux-gnueabihf-gcc-ranlib,arm-linux-gnueabihf-gcov,arm-linux-gnueabihf-gcov-dump,arm-linux-gnueabihf-gcov-tool name: gcc-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gcc,powerpc-linux-gnu-gcc-ar,powerpc-linux-gnu-gcc-nm,powerpc-linux-gnu-gcc-ranlib,powerpc-linux-gnu-gcov,powerpc-linux-gnu-gcov-dump,powerpc-linux-gnu-gcov-tool name: gcc-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-gcc,powerpc64le-linux-gnu-gcc-ar,powerpc64le-linux-gnu-gcc-nm,powerpc64le-linux-gnu-gcc-ranlib,powerpc64le-linux-gnu-gcov,powerpc64le-linux-gnu-gcov-dump,powerpc64le-linux-gnu-gcov-tool name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: gcore,gdb,gdb-add-index,gdbtui name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: f77,f95,gfortran,i586-linux-gnu-gfortran,i686-linux-gnu-gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: gfortran-7,i686-linux-gnu-gfortran-7 name: gfxboot version: 4.5.2-1.1-5build1 commands: gfxboot name: gfxboot-dev version: 4.5.2-1.1-5build1 commands: gfxboot-compile,gfxboot-font,gfxtest name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-gfxpayload-lists version: 0.7 commands: update-grub-gfxpayload name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: grub-pc version: 2.02-2ubuntu8 commands: grub-bios-setup,grub-ntldr-img,upgrade-from-grub-legacy name: grub2-common version: 2.02-2ubuntu8 commands: grub-install,grub-reboot,grub-set-default,update-grub,update-grub2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibmasm-utils version: 3.0-1ubuntu12 commands: evnode,ibmspdown,ibmsphalt,ibmspup name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: intel-gpu-tools version: 1.22-1 commands: igt_stats,intel-gen4asm,intel-gen4disasm,intel-gpu-overlay,intel_aubdump,intel_audio_dump,intel_backlight,intel_bios_dumper,intel_display_crc,intel_display_poller,intel_dp_compliance,intel_dump_decode,intel_error_decode,intel_firmware_decode,intel_forcewaked,intel_framebuffer_dump,intel_gem_info,intel_gpu_abrt,intel_gpu_frequency,intel_gpu_time,intel_gpu_top,intel_gtt,intel_guc_logger,intel_gvtg_test,intel_infoframes,intel_l3_parity,intel_lid,intel_opregion_decode,intel_panel_fitter,intel_perf_counters,intel_reg,intel_reg_checker,intel_residency,intel_stepping,intel_vbt_decode,intel_watermark name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: irattach,irdadump,irdaping,irnetd,irpsion5 name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iucode-tool version: 2.3.1-1 commands: iucode-tool,iucode_tool name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,resizecons,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom,fftwl-wisdom,fftwq-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-i386-linux-gnu,perl5.26-i386-linux-gnu name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: i386-linux-gnu-python-dbg-config,i686-linux-gnu-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: i386-linux-gnu-python-config,i686-linux-gnu-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: i386-linux-gnu-python2.7-dbg-config,i686-linux-gnu-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: i386-linux-gnu-python2.7-config,i686-linux-gnu-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: i386-linux-gnu-python3-dbg-config,i386-linux-gnu-python3dm-config,i686-linux-gnu-python3-dbg-config,i686-linux-gnu-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: i386-linux-gnu-python3-config,i386-linux-gnu-python3m-config,i686-linux-gnu-python3-config,i686-linux-gnu-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: i386-linux-gnu-python3.6-dbg-config,i386-linux-gnu-python3.6dm-config,i686-linux-gnu-python3.6-dbg-config,i686-linux-gnu-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: i386-linux-gnu-python3.6-config,i386-linux-gnu-python3.6m-config,i686-linux-gnu-python3.6-config,i686-linux-gnu-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lilo version: 1:24.2-3 commands: keytab-lilo,lilo,lilo-uuid-diskid,liloconfig,mkrescue,update-lilo name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: lld-6.0 version: 1:6.0-1ubuntu2 commands: ld.lld-6.0,ld64.lld-6.0,lld-6.0,lld-link-6.0,wasm-ld-6.0 name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lupin-support version: 0.57build1 commands: grub-install name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mknbi version: 1.4.4-14 commands: disnbi,mkelf-linux,mkelf-menu,mknbi-dos,mknbi-fdos,mknbi-linux,mknbi-menu,mknbi-rom name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mokutil version: 0.3.0-0ubuntu5 commands: mokutil name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: msr-tools version: 1.3-2build1 commands: rdmsr,wrmsr name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: numactl version: 2.0.11-2.1 commands: migratepages,numactl,numastat name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: nvidia-settings version: 390.42-0ubuntu1 commands: nvidia-settings name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: open-vm-tools version: 2:10.2.0-3ubuntu3 commands: VGAuthService,mount.vmhgfs,vmhgfs-fuse,vmtoolsd,vmware-checkvm,vmware-guestproxycerttool,vmware-hgfsclient,vmware-namespace-cmd,vmware-rpctool,vmware-toolbox-cmd,vmware-user,vmware-vgauth-cmd,vmware-vgauth-smoketest,vmware-vmblock-fuse,vmware-xferlogs name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: openvswitch-switch-dpdk version: 2.9.0-0ubuntu1 commands: ovs-vswitchd name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: i686-pc-linux-gnu-pkg-config,pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,peekfd,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm,kvm-spice,qemu-system-x86_64-spice name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: i686-linux-gnu-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbsigntool version: 0.6-3.2ubuntu2 commands: kmodsign,sbattach,sbkeysync,sbsiglist,sbsign,sbvarsign,sbverify name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: syslinux version: 3:6.03+dfsg1-2 commands: syslinux name: syslinux-legacy version: 2:3.63+dfsg-2ubuntu9 commands: syslinux-legacy name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luajittex,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfluajit,mfluajit-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,texluajit,texluajitc,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: thermald version: 1.7.0-5ubuntu1 commands: thermald name: thunderbird version: 1:52.7.0+build1-0ubuntu1 commands: thunderbird name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: gpu-manager,nvidia-detector,quirks-handler,u-d-c-print-pci-ids,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-creator-gtk version: 0.3.5 commands: usb-creator-gtk name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,i386,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xserver-xorg-video-intel version: 2:2.99.917+git20171229-1 commands: intel-virtual-output name: xserver-xorg-video-vmware version: 1:13.2.1-1build1 commands: vmwarectrl name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-ppc64el0000664000000000000000000033422714202510314024554 0ustar suite: bionic component: main arch: ppc64el name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-i686-linux-gnu version: 2.30-15ubuntu1 commands: i686-linux-gnu-addr2line,i686-linux-gnu-ar,i686-linux-gnu-as,i686-linux-gnu-c++filt,i686-linux-gnu-dwp,i686-linux-gnu-elfedit,i686-linux-gnu-gprof,i686-linux-gnu-ld,i686-linux-gnu-ld.bfd,i686-linux-gnu-ld.gold,i686-linux-gnu-nm,i686-linux-gnu-objcopy,i686-linux-gnu-objdump,i686-linux-gnu-ranlib,i686-linux-gnu-readelf,i686-linux-gnu-size,i686-linux-gnu-strings,i686-linux-gnu-strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: powerpc64le-linux-gnu-addr2line,powerpc64le-linux-gnu-ar,powerpc64le-linux-gnu-gprof,powerpc64le-linux-gnu-nm,powerpc64le-linux-gnu-objcopy,powerpc64le-linux-gnu-objdump,powerpc64le-linux-gnu-ranlib,powerpc64le-linux-gnu-readelf,powerpc64le-linux-gnu-size,powerpc64le-linux-gnu-strings,powerpc64le-linux-gnu-strip name: binutils-powerpc-linux-gnu version: 2.30-15ubuntu1 commands: powerpc-linux-gnu-addr2line,powerpc-linux-gnu-ar,powerpc-linux-gnu-as,powerpc-linux-gnu-c++filt,powerpc-linux-gnu-dwp,powerpc-linux-gnu-elfedit,powerpc-linux-gnu-gprof,powerpc-linux-gnu-ld,powerpc-linux-gnu-ld.bfd,powerpc-linux-gnu-ld.gold,powerpc-linux-gnu-nm,powerpc-linux-gnu-objcopy,powerpc-linux-gnu-objdump,powerpc-linux-gnu-ranlib,powerpc-linux-gnu-readelf,powerpc-linux-gnu-size,powerpc-linux-gnu-strings,powerpc-linux-gnu-strip name: binutils-powerpc64le-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64le-linux-gnu-addr2line,powerpc64le-linux-gnu-ar,powerpc64le-linux-gnu-as,powerpc64le-linux-gnu-c++filt,powerpc64le-linux-gnu-dwp,powerpc64le-linux-gnu-elfedit,powerpc64le-linux-gnu-gold,powerpc64le-linux-gnu-gprof,powerpc64le-linux-gnu-ld,powerpc64le-linux-gnu-ld.bfd,powerpc64le-linux-gnu-ld.gold,powerpc64le-linux-gnu-nm,powerpc64le-linux-gnu-objcopy,powerpc64le-linux-gnu-objdump,powerpc64le-linux-gnu-ranlib,powerpc64le-linux-gnu-readelf,powerpc64le-linux-gnu-size,powerpc64le-linux-gnu-strings,powerpc64le-linux-gnu-strip name: binutils-x86-64-linux-gnu version: 2.30-15ubuntu1 commands: x86_64-linux-gnu-addr2line,x86_64-linux-gnu-ar,x86_64-linux-gnu-as,x86_64-linux-gnu-c++filt,x86_64-linux-gnu-dwp,x86_64-linux-gnu-elfedit,x86_64-linux-gnu-gprof,x86_64-linux-gnu-ld,x86_64-linux-gnu-ld.bfd,x86_64-linux-gnu-ld.gold,x86_64-linux-gnu-nm,x86_64-linux-gnu-objcopy,x86_64-linux-gnu-objdump,x86_64-linux-gnu-ranlib,x86_64-linux-gnu-readelf,x86_64-linux-gnu-size,x86_64-linux-gnu-strings,x86_64-linux-gnu-strip name: binutils-x86-64-linux-gnux32 version: 2.30-15ubuntu1 commands: x86_64-linux-gnux32-addr2line,x86_64-linux-gnux32-ar,x86_64-linux-gnux32-as,x86_64-linux-gnux32-c++filt,x86_64-linux-gnux32-dwp,x86_64-linux-gnux32-elfedit,x86_64-linux-gnux32-gprof,x86_64-linux-gnux32-ld,x86_64-linux-gnux32-ld.bfd,x86_64-linux-gnux32-ld.gold,x86_64-linux-gnux32-nm,x86_64-linux-gnux32-objcopy,x86_64-linux-gnux32-objdump,x86_64-linux-gnux32-ranlib,x86_64-linux-gnux32-readelf,x86_64-linux-gnux32-size,x86_64-linux-gnux32-strings,x86_64-linux-gnux32-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: cpp,powerpc64le-linux-gnu-cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: cpp-7,powerpc64le-linux-gnu-cpp-7 name: cpp-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-cpp-7 name: cpp-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-cpp name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpdk version: 17.11.1-6 commands: dpdk-devbind,dpdk-pdump,dpdk-pmdinfo,dpdk-procinfo,dpdk-test-crypto-perf,dpdk-test-eventdev,testpmd name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: firefox version: 59.0.2+build1-0ubuntu1 commands: firefox,gnome-www-browser,x-www-browser name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: g++ version: 4:7.3.0-3ubuntu2 commands: c++,g++,powerpc64le-linux-gnu-g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: g++-7,powerpc64le-linux-gnu-g++-7 name: g++-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-g++-7 name: g++-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-g++ name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool,powerpc64le-linux-gnu-gcc,powerpc64le-linux-gnu-gcc-ar,powerpc64le-linux-gnu-gcc-nm,powerpc64le-linux-gnu-gcc-ranlib,powerpc64le-linux-gnu-gcov,powerpc64le-linux-gnu-gcov-dump,powerpc64le-linux-gnu-gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7,powerpc64le-linux-gnu-gcc-7,powerpc64le-linux-gnu-gcc-ar-7,powerpc64le-linux-gnu-gcc-nm-7,powerpc64le-linux-gnu-gcc-ranlib-7,powerpc64le-linux-gnu-gcov-7,powerpc64le-linux-gnu-gcov-dump-7,powerpc64le-linux-gnu-gcov-tool-7 name: gcc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gcc-7,powerpc-linux-gnu-gcc-ar-7,powerpc-linux-gnu-gcc-nm-7,powerpc-linux-gnu-gcc-ranlib-7,powerpc-linux-gnu-gcov-7,powerpc-linux-gnu-gcov-dump-7,powerpc-linux-gnu-gcov-tool-7 name: gcc-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gcc,powerpc-linux-gnu-gcc-ar,powerpc-linux-gnu-gcc-nm,powerpc-linux-gnu-gcc-ranlib,powerpc-linux-gnu-gcov,powerpc-linux-gnu-gcov-dump,powerpc-linux-gnu-gcov-tool name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: gcore,gdb,gdb-add-index,gdbtui,powerpc64le-linux-gnu-run name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: f77,f95,gfortran,powerpc64le-linux-gnu-gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: gfortran-7,powerpc64le-linux-gnu-gfortran-7 name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: grub2-common version: 2.02-2ubuntu8 commands: grub-install,grub-reboot,grub-set-default,update-grub,update-grub2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: iprutils version: 2.4.15.1-2 commands: iprconfig,iprdbg,iprdump,iprdumpfmt,iprinit,iprsos,iprupdate name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: irattach,irdadump,irdaping,irnetd,irpsion5 name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom,fftwl-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-powerpc64le-linux-gnu,perl5.26-powerpc64le-linux-gnu name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: powerpc64le-linux-gnu-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: powerpc64le-linux-gnu-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: powerpc64le-linux-gnu-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: powerpc64le-linux-gnu-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: powerpc64le-linux-gnu-python3-dbg-config,powerpc64le-linux-gnu-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: powerpc64le-linux-gnu-python3-config,powerpc64le-linux-gnu-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: powerpc64le-linux-gnu-python3.6-dbg-config,powerpc64le-linux-gnu-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: powerpc64le-linux-gnu-python3.6-config,powerpc64le-linux-gnu-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: lsvpd version: 1.7.8-2ubuntu1 commands: lscfg,lsmcode,lsvio,lsvpd,vpdupdate name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: numactl version: 2.0.11-2.1 commands: migratepages,numactl,numastat name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: nvidia-settings version: 390.42-0ubuntu1 commands: nvidia-settings name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: opal-prd version: 5.10~rc4-1ubuntu1 commands: opal-prd name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: openvswitch-switch-dpdk version: 2.9.0-0ubuntu1 commands: ovs-vswitchd name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: pkg-config,powerpc64le-unknown-linux-gnu-pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powerpc-ibm-utils version: 1.3.4-0ubuntu2 commands: activate_firmware,amsstat,bootlist,drmgr,errinjct,hvcsadmin,lparstat,ls-vdev,ls-veth,ls-vscsi,lsdevinfo,lsprop,lsslot,nvram,nvsetenv,ofpathname,ppc64_cpu,pseries_platform,rtas_dbg,rtas_dump,rtas_event_decode,rtas_ibm_get_vpd,serv_config,set_poweron_time,sys_ident,uesensor,update_flash,update_flash_nv name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppc64-diag version: 2.7.4-2ubuntu1 commands: add_regex,convert_dt_node_props,diag_encl,encl_led,explain_syslog,extract_opal_dump,extract_platdump,lp_diag,opal-dump-parse,opal-elog-parse,opal_errd,ppc64_diag_register,rtas_errd,syslog_to_svclog,usysattn,usysfault,usysident name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,peekfd,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: powerpc64le-linux-gnu-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: servicelog version: 1.1.14-1 commands: log_repair_action,servicelog,servicelog_manage,servicelog_notify,slog_common_event,v1_servicelog,v29_servicelog name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: thunderbird version: 1:52.7.0+build1-0ubuntu1 commands: thunderbird name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: nvidia-detector,quirks-handler,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,ppc,ppc32,ppc64,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/main/cnf/Commands-s390x0000664000000000000000000032406614202510314024165 0ustar suite: bionic component: main arch: s390x name: acct version: 6.6.4-1 commands: ac,accton,dump-acct,dump-utmp,lastcomm,sa name: acl version: 2.2.52-3build1 commands: chacl,getfacl,setfacl name: acpid version: 1:2.0.28-1ubuntu1 commands: acpi_listen,acpid name: adduser version: 3.116ubuntu1 commands: addgroup,adduser,delgroup,deluser name: advancecomp version: 2.1-1 commands: advdef,advmng,advpng,advzip name: aide version: 0.16-3 commands: aide name: aide-common version: 0.16-3 commands: aide-attributes,aide.wrapper,aideinit,update-aide.conf name: aisleriot version: 1:3.22.5-1 commands: sol name: alembic version: 0.9.3-2ubuntu1 commands: alembic name: alsa-base version: 1.0.25+dfsg-0ubuntu5 commands: alsa name: alsa-utils version: 1.1.3-1ubuntu1 commands: aconnect,alsa-info,alsabat,alsabat-test,alsactl,alsaloop,alsamixer,alsatplg,alsaucm,amidi,amixer,aplay,aplaymidi,arecord,arecordmidi,aseqdump,aseqnet,iecset,speaker-test name: amavisd-new version: 1:2.11.0-1ubuntu1 commands: amavis-mc,amavis-services,amavisd-agent,amavisd-nanny,amavisd-new,amavisd-new-cronjob,amavisd-release,amavisd-signer,amavisd-snmp-subagent,amavisd-snmp-subagent-zmq,amavisd-status,amavisd-submit,p0f-analyzer name: anacron version: 2.3-24 commands: anacron name: aodh-common version: 6.0.0-0ubuntu1 commands: aodh-config-generator,aodh-dbsync,aodh-evaluator,aodh-expirer,aodh-listener,aodh-notifier name: apache2 version: 2.4.29-1ubuntu4 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: apg version: 2.2.3.dfsg.1-5 commands: apg,apgbfm name: apparmor version: 2.12-4ubuntu5 commands: aa-enabled,aa-exec,aa-remove-unknown,aa-status,apparmor_parser,apparmor_status name: apparmor-notify version: 2.12-4ubuntu5 commands: aa-notify name: apparmor-utils version: 2.12-4ubuntu5 commands: aa-audit,aa-autodep,aa-cleanprof,aa-complain,aa-decode,aa-disable,aa-enforce,aa-genprof,aa-logprof,aa-mergeprof,aa-unconfined,aa-update-browser name: apport version: 2.20.9-0ubuntu7 commands: apport-bug,apport-cli,apport-collect,apport-unpack,ubuntu-bug name: apport-retrace version: 2.20.9-0ubuntu7 commands: apport-retrace,crash-digger,dupdb-admin name: appstream version: 0.12.0-3 commands: appstreamcli name: apt version: 1.6.1 commands: apt,apt-cache,apt-cdrom,apt-config,apt-get,apt-key,apt-mark name: apt-clone version: 0.4.1ubuntu2 commands: apt-clone name: apt-listchanges version: 3.16 commands: apt-listchanges name: apt-utils version: 1.6.1 commands: apt-extracttemplates,apt-ftparchive,apt-sortpkgs name: aptdaemon version: 1.1.1+bzr982-0ubuntu19 commands: aptd,aptdcon name: aptitude version: 0.8.10-6ubuntu1 commands: aptitude,aptitude-curses name: aptitude-common version: 0.8.10-6ubuntu1 commands: aptitude-create-state-bundle,aptitude-run-state-bundle name: apturl version: 0.5.2ubuntu14 commands: apturl-gtk name: apturl-common version: 0.5.2ubuntu14 commands: apturl name: archdetect-deb version: 1.117ubuntu6 commands: archdetect name: aspell version: 0.60.7~20110707-4 commands: aspell,aspell-import,precat,preunzip,prezip,prezip-bin,run-with-aspell,word-list-compress name: at version: 3.1.20-3.1ubuntu2 commands: at,atd,atq,atrm,batch name: attr version: 1:2.4.47-2build1 commands: attr,getfattr,setfattr name: auctex version: 11.91-1ubuntu1 commands: update-auctex-elisp name: auditd version: 1:2.8.2-1ubuntu1 commands: audispd,auditctl,auditd,augenrules,aulast,aulastlog,aureport,ausearch,ausyscall,autrace,auvirt name: authbind version: 2.1.2 commands: authbind name: autoconf version: 2.69-11 commands: autoconf,autoheader,autom4te,autoreconf,autoscan,autoupdate,ifnames name: autodep8 version: 0.12 commands: autodep8 name: autofs version: 5.1.2-1ubuntu3 commands: automount name: automake version: 1:1.15.1-3ubuntu2 commands: aclocal,aclocal-1.15,automake,automake-1.15 name: autopkgtest version: 5.3.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-6 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: avahi-autoipd version: 0.7-3.1ubuntu1 commands: avahi-autoipd name: avahi-daemon version: 0.7-3.1ubuntu1 commands: avahi-daemon name: avahi-utils version: 0.7-3.1ubuntu1 commands: avahi-browse,avahi-browse-domains,avahi-publish,avahi-publish-address,avahi-publish-service,avahi-resolve,avahi-resolve-address,avahi-resolve-host-name,avahi-set-host-name name: awstats version: 7.6+dfsg-2 commands: awstats name: b43-fwcutter version: 1:019-3 commands: b43-fwcutter name: baobab version: 3.28.0-1 commands: baobab name: barbican-common version: 1:6.0.0-0ubuntu1 commands: barbican-db-manage,barbican-keystone-listener,barbican-manage,barbican-retry,barbican-worker,barbican-wsgi-api,pkcs11-kek-rewrap,pkcs11-key-generation name: base-passwd version: 3.5.44 commands: update-passwd name: bash version: 4.4.18-2ubuntu1 commands: bash,bashbug,clear_console,rbash name: bash-completion version: 1:2.8-1ubuntu1 commands: dh_bash-completion name: bbdb version: 2.36-4.1 commands: bbdb-areacode-split,bbdb-cid,bbdb-srv,bbdb-unlazy-lock name: bc version: 1.07.1-2 commands: bc name: bcache-tools version: 1.0.8-2build1 commands: bcache-super-show,make-bcache name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bdf2psf version: 1.178ubuntu2 commands: bdf2psf name: bind9 version: 1:9.11.3+dfsg-1ubuntu1 commands: arpaname,bind9-config,ddns-confgen,dnssec-importkey,genrandom,isc-hmac-fixup,named,named-journalprint,named-pkcs11,named-rrchecker,nsec3hash,tsig-keygen name: bind9-host version: 1:9.11.3+dfsg-1ubuntu1 commands: host name: bind9utils version: 1:9.11.3+dfsg-1ubuntu1 commands: dnssec-checkds,dnssec-coverage,dnssec-dsfromkey,dnssec-dsfromkey-pkcs11,dnssec-importkey-pkcs11,dnssec-keyfromlabel,dnssec-keyfromlabel-pkcs11,dnssec-keygen,dnssec-keygen-pkcs11,dnssec-keymgr,dnssec-revoke,dnssec-revoke-pkcs11,dnssec-settime,dnssec-settime-pkcs11,dnssec-signzone,dnssec-signzone-pkcs11,dnssec-verify,dnssec-verify-pkcs11,named-checkconf,named-checkzone,named-compilezone,pkcs11-destroy,pkcs11-keygen,pkcs11-list,pkcs11-tokens,rndc,rndc-confgen name: binfmt-support version: 2.1.8-2 commands: update-binfmts name: binutils version: 2.30-15ubuntu1 commands: addr2line,ar,as,c++filt,dwp,elfedit,gold,gprof,ld,ld.bfd,ld.gold,nm,objcopy,objdump,ranlib,readelf,size,strings,strip name: binutils-multiarch version: 2.30-15ubuntu1 commands: s390x-linux-gnu-addr2line,s390x-linux-gnu-ar,s390x-linux-gnu-gprof,s390x-linux-gnu-nm,s390x-linux-gnu-objcopy,s390x-linux-gnu-objdump,s390x-linux-gnu-ranlib,s390x-linux-gnu-readelf,s390x-linux-gnu-size,s390x-linux-gnu-strings,s390x-linux-gnu-strip name: binutils-s390x-linux-gnu version: 2.30-15ubuntu1 commands: s390x-linux-gnu-addr2line,s390x-linux-gnu-ar,s390x-linux-gnu-as,s390x-linux-gnu-c++filt,s390x-linux-gnu-dwp,s390x-linux-gnu-elfedit,s390x-linux-gnu-gold,s390x-linux-gnu-gprof,s390x-linux-gnu-ld,s390x-linux-gnu-ld.bfd,s390x-linux-gnu-ld.gold,s390x-linux-gnu-nm,s390x-linux-gnu-objcopy,s390x-linux-gnu-objdump,s390x-linux-gnu-ranlib,s390x-linux-gnu-readelf,s390x-linux-gnu-size,s390x-linux-gnu-strings,s390x-linux-gnu-strip name: bison version: 2:3.0.4.dfsg-1build1 commands: bison,bison.yacc,yacc name: bittornado version: 0.3.18-10.3 commands: btcompletedir,btcompletedir.bittornado,btcompletedirgui,btcopyannounce,btdownloadcurses,btdownloadcurses.bittornado,btdownloadgui,btdownloadheadless,btdownloadheadless.bittornado,btlaunchmany,btlaunchmany.bittornado,btlaunchmanycurses,btlaunchmanycurses.bittornado,btmakemetafile,btmakemetafile.bittornado,btreannounce,btreannounce.bittornado,btrename,btrename.bittornado,btsethttpseeds,btshowmetainfo,btshowmetainfo.bittornado,bttrack,bttrack.bittornado name: bluez version: 5.48-0ubuntu3 commands: bccmd,bluemoon,bluetoothctl,bluetoothd,btattach,btmgmt,btmon,ciptool,gatttool,hciattach,hciconfig,hcitool,hex2hcd,l2ping,l2test,obexctl,rctest,rfcomm,sdptool name: bogl-bterm version: 0.1.18-12ubuntu1 commands: bterm name: bolt version: 0.2-0ubuntu1 commands: boltctl name: bonnie++ version: 1.97.3 commands: bon_csv2html,bon_csv2txt,bonnie,bonnie++,generate_randfile,getc_putc,getc_putc_helper,zcav name: bridge-utils version: 1.5-15ubuntu1 commands: brctl name: brltty version: 5.5-4ubuntu2 commands: brltty,brltty-ctb,brltty-setup,brltty-trtxt,brltty-ttb,eutp,vstp name: bsd-mailx version: 8.1.2-0.20160123cvs-4 commands: bsd-mailx name: bsdmainutils version: 11.1.2ubuntu1 commands: bsd-from,bsd-write,cal,calendar,col,colcrt,colrm,column,from,hd,hexdump,look,lorder,ncal,printerbanner,ul,write name: bsdutils version: 1:2.31.1-0.4ubuntu3 commands: logger,renice,script,scriptreplay,wall name: btrfs-progs version: 4.15.1-1build1 commands: btrfs,btrfs-debug-tree,btrfs-find-root,btrfs-image,btrfs-map-logical,btrfs-select-super,btrfs-zero-log,btrfsck,btrfstune,fsck.btrfs,mkfs.btrfs name: busybox-static version: 1:1.27.2-2ubuntu3 commands: busybox,static-sh name: byobu version: 5.125-0ubuntu1 commands: NF,byobu,byobu-config,byobu-ctrl-a,byobu-disable,byobu-disable-prompt,byobu-enable,byobu-enable-prompt,byobu-export,byobu-janitor,byobu-keybindings,byobu-launch,byobu-launcher,byobu-launcher-install,byobu-launcher-uninstall,byobu-layout,byobu-prompt,byobu-quiet,byobu-reconnect-sockets,byobu-screen,byobu-select-backend,byobu-select-profile,byobu-select-session,byobu-shell,byobu-silent,byobu-status,byobu-status-detail,byobu-tmux,byobu-ugraph,byobu-ulevel,col1,col2,col3,col4,col5,col6,col7,col8,col9,ctail,manifest,purge-old-kernels,vigpg,wifi-status name: bzip2 version: 1.0.6-8.1 commands: bunzip2,bzcat,bzcmp,bzdiff,bzegrep,bzexe,bzfgrep,bzgrep,bzip2,bzip2recover,bzless,bzmore name: bzr version: 2.7.0+bzr6622-10 commands: bzr,bzr.bzr name: ca-certificates version: 20180409 commands: update-ca-certificates name: casper version: 1.394 commands: casper-getty,casper-login,casper-new-uuid,casper-snapshot,casper-stop name: ccache version: 3.4.1-1 commands: ccache,update-ccache-symlinks name: ceilometer-common version: 1:10.0.0-0ubuntu1 commands: ceilometer-polling,ceilometer-rootwrap,ceilometer-send-sample,ceilometer-upgrade name: ceph-base version: 12.2.4-0ubuntu1 commands: ceph-create-keys,ceph-debugpack,ceph-detect-init,ceph-run,crushtool,monmaptool,osdmaptool name: ceph-common version: 12.2.4-0ubuntu1 commands: ceph,ceph-authtool,ceph-conf,ceph-crush-location,ceph-dencoder,ceph-post-file,ceph-rbdnamer,ceph-syn,mount.ceph,rados,radosgw-admin,rbd,rbd-replay,rbd-replay-many,rbd-replay-prep,rbdmap name: ceph-mgr version: 12.2.4-0ubuntu1 commands: ceph-mgr name: ceph-mon version: 12.2.4-0ubuntu1 commands: ceph-mon,ceph-rest-api name: ceph-osd version: 12.2.4-0ubuntu1 commands: ceph-bluestore-tool,ceph-clsinfo,ceph-disk,ceph-objectstore-tool,ceph-osd,ceph-volume,ceph-volume-systemd,ceph_objectstore_bench name: checkbox-ng version: 0.23-2 commands: checkbox,checkbox-cli,checkbox-launcher,checkbox-submit name: checksecurity version: 2.0.16+nmu1ubuntu1 commands: checksecurity name: cheese version: 3.28.0-1ubuntu1 commands: cheese name: chrony version: 3.2-4ubuntu4 commands: chronyc,chronyd name: cifs-utils version: 2:6.8-1 commands: cifs.idmap,cifs.upcall,cifscreds,getcifsacl,mount.cifs,setcifsacl name: cinder-backup version: 2:12.0.0-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.0-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.0-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.0-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: clamav version: 0.99.4+addedllvm-0ubuntu1 commands: clambc,clamscan,clamsubmit,sigtool name: clamav-daemon version: 0.99.4+addedllvm-0ubuntu1 commands: clamconf,clamd,clamdtop name: clamav-freshclam version: 0.99.4+addedllvm-0ubuntu1 commands: freshclam name: clamdscan version: 0.99.4+addedllvm-0ubuntu1 commands: clamdscan name: cloud-guest-utils version: 0.30-0ubuntu5 commands: ec2metadata,growpart,vcs-run name: cloud-image-utils version: 0.30-0ubuntu5 commands: cloud-localds,mount-image-callback,resize-part-image,ubuntu-cloudimg-query,write-mime-multipart name: cloud-init version: 18.2-14-g6d48d265-0ubuntu1 commands: cloud-init,cloud-init-per name: cluster-glue version: 1.0.12-7build1 commands: cibsecret,ha_logger,hb_report,lrmadmin,meatclient,stonith name: cmake version: 3.10.2-1ubuntu2 commands: cmake,cpack,ctest name: colord version: 1.3.3-2build1 commands: cd-create-profile,cd-fix-profile,cd-iccdump,cd-it8,colormgr name: comerr-dev version: 2.1-1.44.1-1 commands: compile_et name: conntrack version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrack name: console-setup version: 1.178ubuntu2 commands: ckbcomp,setupcon name: coreutils version: 8.28-1ubuntu1 commands: [,arch,b2sum,base32,base64,basename,cat,chcon,chgrp,chmod,chown,chroot,cksum,comm,cp,csplit,cut,date,dd,df,dir,dircolors,dirname,du,echo,env,expand,expr,factor,false,fmt,fold,groups,head,hostid,id,install,join,link,ln,logname,ls,md5sum,md5sum.textutils,mkdir,mkfifo,mknod,mktemp,mv,nice,nl,nohup,nproc,numfmt,od,paste,pathchk,pinky,pr,printenv,printf,ptx,pwd,readlink,realpath,rm,rmdir,runcon,seq,sha1sum,sha224sum,sha256sum,sha384sum,sha512sum,shred,shuf,sleep,sort,split,stat,stdbuf,stty,sum,sync,tac,tail,tee,test,timeout,touch,tr,true,truncate,tsort,tty,uname,unexpand,uniq,unlink,users,vdir,wc,who,whoami,yes name: corosync version: 2.4.3-0ubuntu1 commands: corosync,corosync-blackbox,corosync-cfgtool,corosync-cmapctl,corosync-cpgtool,corosync-keygen,corosync-quorumtool,corosync-xmlproc name: cpio version: 2.12+dfsg-6 commands: cpio,mt,mt-gnu name: cpp version: 4:7.3.0-3ubuntu2 commands: cpp,s390x-linux-gnu-cpp name: cpp-7 version: 7.3.0-16ubuntu3 commands: cpp-7,s390x-linux-gnu-cpp-7 name: cpu-checker version: 0.7-0ubuntu7 commands: check-bios-nx,kvm-ok name: cracklib-runtime version: 2.9.2-5build1 commands: cracklib-check,cracklib-format,cracklib-packer,cracklib-unpacker,create-cracklib-dict,update-cracklib name: crash version: 7.2.1-1 commands: crash name: crda version: 3.18-1build1 commands: crda,regdbdump name: cron version: 3.0pl1-128.1ubuntu1 commands: cron,crontab name: cryptsetup version: 2:2.0.2-1ubuntu1 commands: cryptdisks_start,cryptdisks_stop name: cryptsetup-bin version: 2:2.0.2-1ubuntu1 commands: cryptsetup,cryptsetup-reencrypt,integritysetup,luksformat,veritysetup name: cu version: 1.07-24 commands: cu name: cups version: 2.2.7-1ubuntu2 commands: cupsfilter name: cups-browsed version: 1.20.2-0ubuntu3 commands: cups-browsed name: cups-bsd version: 2.2.7-1ubuntu2 commands: lpc,lpq,lpr,lprm name: cups-client version: 2.2.7-1ubuntu2 commands: accept,cancel,cupsaccept,cupsaddsmb,cupsctl,cupsdisable,cupsenable,cupsreject,cupstestdsc,cupstestppd,lp,lpadmin,lpinfo,lpmove,lpoptions,lpstat,reject name: cups-daemon version: 2.2.7-1ubuntu2 commands: cupsd name: cups-filters version: 1.20.2-0ubuntu3 commands: foomatic-rip,ttfread name: cups-filters-core-drivers version: 1.20.2-0ubuntu3 commands: driverless name: cups-ipp-utils version: 2.2.7-1ubuntu2 commands: ippfind,ippserver,ipptool name: cups-ppdc version: 2.2.7-1ubuntu2 commands: ppdc,ppdhtml,ppdi,ppdmerge,ppdpo name: curl version: 7.58.0-2ubuntu3 commands: curl name: curtin version: 18.1-5-g572ae5d6-0ubuntu1 commands: curtin name: dash version: 0.5.8-2.10 commands: dash,sh name: db-util version: 1:5.3.21~exp1ubuntu2 commands: db_archive,db_checkpoint,db_deadlock,db_dump,db_hotbackup,db_load,db_log_verify,db_printlog,db_recover,db_replicate,db_sql,db_stat,db_upgrade,db_verify name: db5.3-util version: 5.3.28-13.1ubuntu1 commands: db5.3_archive,db5.3_checkpoint,db5.3_deadlock,db5.3_dump,db5.3_hotbackup,db5.3_load,db5.3_log_verify,db5.3_printlog,db5.3_recover,db5.3_replicate,db5.3_stat,db5.3_upgrade,db5.3_verify name: dbconfig-common version: 2.0.9 commands: dbconfig-generate-include,dbconfig-load-include name: dbus version: 1.12.2-1ubuntu1 commands: dbus-cleanup-sockets,dbus-daemon,dbus-monitor,dbus-run-session,dbus-send,dbus-update-activation-environment,dbus-uuidgen name: dbus-x11 version: 1.12.2-1ubuntu1 commands: dbus-launch name: dc version: 1.07.1-2 commands: dc name: dconf-cli version: 0.26.0-2ubuntu3 commands: dconf name: dctrl-tools version: 2.24-2build1 commands: grep-aptavail,grep-available,grep-dctrl,grep-debtags,grep-status,join-dctrl,sort-dctrl,sync-available,tbl-dctrl name: debconf version: 1.5.66 commands: debconf,debconf-apt-progress,debconf-communicate,debconf-copydb,debconf-escape,debconf-set-selections,debconf-show,dpkg-preconfigure,dpkg-reconfigure name: debhelper version: 11.1.6ubuntu1 commands: dh,dh_auto_build,dh_auto_clean,dh_auto_configure,dh_auto_install,dh_auto_test,dh_bugfiles,dh_builddeb,dh_clean,dh_compress,dh_dwz,dh_fixperms,dh_gconf,dh_gencontrol,dh_icons,dh_install,dh_installcatalogs,dh_installchangelogs,dh_installcron,dh_installdeb,dh_installdebconf,dh_installdirs,dh_installdocs,dh_installemacsen,dh_installexamples,dh_installgsettings,dh_installifupdown,dh_installinfo,dh_installinit,dh_installlogcheck,dh_installlogrotate,dh_installman,dh_installmanpages,dh_installmenu,dh_installmime,dh_installmodules,dh_installpam,dh_installppp,dh_installsystemd,dh_installudev,dh_installwm,dh_installxfonts,dh_link,dh_lintian,dh_listpackages,dh_makeshlibs,dh_md5sums,dh_missing,dh_movefiles,dh_perl,dh_prep,dh_shlibdeps,dh_strip,dh_systemd_enable,dh_systemd_start,dh_testdir,dh_testroot,dh_ucf,dh_update_autotools_config,dh_usrlocal name: debian-goodies version: 0.79 commands: check-enhancements,checkrestart,debget,debman,debmany,degrep,dfgrep,dglob,dgrep,dhomepage,dman,dpigs,dzegrep,dzfgrep,dzgrep,find-dbgsym-packages,popbugs,which-pkg-broke,which-pkg-broke-build name: debianutils version: 4.8.4 commands: add-shell,installkernel,ischroot,remove-shell,run-parts,savelog,tempfile,which name: debootstrap version: 1.0.95 commands: debootstrap name: default-jdk version: 2:1.10-63ubuntu1~02 commands: jar,javac,javadoc name: default-jre version: 2:1.10-63ubuntu1~02 commands: java,jexec name: deja-dup version: 37.1-2fakesync1 commands: deja-dup name: designate-common version: 1:6.0.0-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: desktop-file-utils version: 0.23-1ubuntu3 commands: desktop-file-edit,desktop-file-install,desktop-file-validate,update-desktop-database name: devhelp version: 3.28.1-1 commands: devhelp name: device-tree-compiler version: 1.4.5-3 commands: convert-dtsv0,dtc,dtdiff,fdtdump,fdtget,fdtoverlay,fdtput name: devio version: 1.2-1.2 commands: devio name: devscripts version: 2.17.12ubuntu1 commands: add-patch,annotate-output,archpath,bts,build-rdeps,chdist,checkbashisms,cowpoke,cvs-debc,cvs-debi,cvs-debrelease,cvs-debuild,dch,dcmd,dcontrol,dd-list,deb-reversion,debc,debchange,debcheckout,debclean,debcommit,debdiff,debdiff-apply,debi,debpkg,debrelease,debrepro,debrsign,debsign,debsnap,debuild,dep3changelog,desktop2menu,dget,diff2patches,dpkg-depcheck,dpkg-genbuilddeps,dscextract,dscverify,edit-patch,getbuildlog,git-deborig,grep-excuses,hardening-check,list-unreleased,ltnu,manpage-alert,mass-bug,mergechanges,mk-build-deps,mk-origtargz,namecheck,nmudiff,origtargz,plotchangelog,pts-subscribe,pts-unsubscribe,rc-alert,reproducible-check,rmadison,sadt,suspicious-source,svnpath,tagpending,transition-check,uscan,uupdate,what-patch,who-permits-upload,who-uploads,whodepends,wnpp-alert,wnpp-check,wrap-and-sort name: dh-autoreconf version: 17 commands: dh_autoreconf,dh_autoreconf_clean name: dh-di version: 8 commands: dh_di_kernel_gencontrol,dh_di_kernel_install,dh_di_numbers name: dh-exec version: 0.23build1 commands: dh-exec name: dh-golang version: 1.34 commands: dh_golang,dh_golang_autopkgtest name: dh-make version: 2.201701 commands: dh_make,dh_makefont name: dh-python version: 3.20180325ubuntu2 commands: dh_pypy,dh_python3,pybuild name: dh-strip-nondeterminism version: 0.040-1.1~build1 commands: dh_strip_nondeterminism name: dict version: 1.12.1+dfsg-4 commands: colorit,dict,dict_lookup,dictl name: dictd version: 1.12.1+dfsg-4 commands: dictd,dictdconfig name: dictionaries-common version: 1.27.2 commands: aspell-autobuildhash,ispell-autobuildhash,ispell-wrapper,remove-default-ispell,remove-default-wordlist,select-default-ispell,select-default-iwrap,select-default-wordlist,update-default-aspell,update-default-ispell,update-default-wordlist,update-dictcommon-aspell,update-dictcommon-hunspell name: dictionaries-common-dev version: 1.27.2 commands: dh_aspell-simple,installdeb-aspell,installdeb-hunspell,installdeb-ispell,installdeb-myspell,installdeb-wordlist name: dictzip version: 1.12.1+dfsg-4 commands: dictunzip,dictzcat,dictzip name: diffstat version: 1.61-1build1 commands: diffstat name: diffutils version: 1:3.6-1 commands: cmp,diff,diff3,sdiff name: dirmngr version: 2.2.4-1ubuntu1 commands: dirmngr,dirmngr-client name: distro-info version: 0.18 commands: debian-distro-info,distro-info,ubuntu-distro-info name: dkms version: 2.3-3ubuntu9 commands: dh_dkms,dkms name: dmeventd version: 2:1.02.145-4.1ubuntu3 commands: dmeventd name: dmraid version: 1.0.0.rc16-8ubuntu1 commands: dmraid,dmraid-activate name: dmsetup version: 2:1.02.145-4.1ubuntu3 commands: blkdeactivate,dmsetup,dmstats name: dnsmasq-base version: 2.79-1 commands: dnsmasq name: dnsmasq-utils version: 2.79-1 commands: dhcp_lease_time,dhcp_release,dhcp_release6 name: dnstracer version: 1.9-5 commands: dnstracer name: dnsutils version: 1:9.11.3+dfsg-1ubuntu1 commands: delv,dig,mdig,nslookup,nsupdate name: doc-base version: 0.10.8 commands: install-docs name: dosfstools version: 4.1-1 commands: dosfsck,dosfslabel,fatlabel,fsck.fat,fsck.msdos,fsck.vfat,mkdosfs,mkfs.fat,mkfs.msdos,mkfs.vfat name: dovecot-core version: 1:2.2.33.2-1ubuntu4 commands: doveadm,doveconf,dovecot,dsync,maildirmake.dovecot name: dovecot-sieve version: 1:2.2.33.2-1ubuntu4 commands: sieve-dump,sieve-filter,sieve-test,sievec name: doxygen version: 1.8.13-10 commands: dh_doxygen,doxygen,doxyindexer,doxysearch.cgi name: dpkg version: 1.19.0.5ubuntu2 commands: dpkg,dpkg-deb,dpkg-divert,dpkg-maintscript-helper,dpkg-query,dpkg-split,dpkg-statoverride,dpkg-trigger,start-stop-daemon,update-alternatives name: dpkg-cross version: 2.6.13ubuntu1 commands: dpkg-cross name: dpkg-dev version: 1.19.0.5ubuntu2 commands: dpkg-architecture,dpkg-buildflags,dpkg-buildpackage,dpkg-checkbuilddeps,dpkg-distaddfile,dpkg-genbuildinfo,dpkg-genchanges,dpkg-gencontrol,dpkg-gensymbols,dpkg-mergechangelogs,dpkg-name,dpkg-parsechangelog,dpkg-scanpackages,dpkg-scansources,dpkg-shlibdeps,dpkg-source,dpkg-vendor name: dpkg-repack version: 1.43 commands: dpkg-repack name: dput version: 1.0.1ubuntu1 commands: dcut,dput name: drbd-utils version: 8.9.10-2 commands: drbd-overview,drbdadm,drbdmeta,drbdmon,drbdsetup name: dselect version: 1.19.0.5ubuntu2 commands: dselect name: duplicity version: 0.7.17-0ubuntu1 commands: duplicity,rdiffdir name: dupload version: 2.9.1ubuntu1 commands: dupload name: e2fsprogs version: 1.44.1-1 commands: badblocks,chattr,debugfs,dumpe2fs,e2freefrag,e2fsck,e2image,e2label,e2undo,e4crypt,e4defrag,filefrag,fsck.ext2,fsck.ext3,fsck.ext4,logsave,lsattr,mke2fs,mkfs.ext2,mkfs.ext3,mkfs.ext4,mklost+found,resize2fs,tune2fs name: eatmydata version: 105-6 commands: eatmydata name: ebtables version: 2.0.10.4-3.5ubuntu2 commands: ebtables,ebtables-restore,ebtables-save name: ed version: 1.10-2.1 commands: ed,editor,red name: eject version: 2.1.5+deb1+cvs20081104-13.2 commands: eject,volname name: elfutils version: 0.170-0.4 commands: eu-addr2line,eu-ar,eu-elfcmp,eu-elfcompress,eu-elflint,eu-findtextrel,eu-make-debug-archive,eu-nm,eu-objdump,eu-ranlib,eu-readelf,eu-size,eu-stack,eu-strings,eu-strip,eu-unstrip name: emacs25 version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-x name: emacs25-bin-common version: 25.2+1-6 commands: ctags.emacs25,ebrowse.emacs25,emacsclient.emacs25,etags.emacs25 name: emacs25-nox version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-nox name: enchant version: 1.6.0-11.1 commands: enchant,enchant-lsmod name: eog version: 3.28.1-1 commands: eog name: erlang-base version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-dev version: 1:20.2.2+dfsg-1ubuntu2 commands: erlang-depends name: erlang-diameter version: 1:20.2.2+dfsg-1ubuntu2 commands: diameterc name: erlang-snmp version: 1:20.2.2+dfsg-1ubuntu2 commands: snmpc name: etckeeper version: 1.18.5-1ubuntu1 commands: etckeeper name: ethtool version: 1:4.15-0ubuntu1 commands: ethtool name: evince version: 3.28.2-1 commands: evince,evince-previewer,evince-thumbnailer name: exim4-base version: 4.90.1-1ubuntu1 commands: exicyclog,exigrep,exim_checkaccess,exim_convert4r4,exim_dbmbuild,exim_dumpdb,exim_fixdb,exim_lock,exim_tidydb,eximstats,exinext,exipick,exiqgrep,exiqsumm,exiwhat,syslog2eximlog name: exim4-config version: 4.90.1-1ubuntu1 commands: update-exim4.conf,update-exim4.conf.template,update-exim4defaults name: exim4-daemon-heavy version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-daemon-light version: 4.90.1-1ubuntu1 commands: exim,exim4,mailq,newaliases,rmail,rsmtp,runq,sendmail name: exim4-dev version: 4.90.1-1ubuntu1 commands: exim4-localscan-plugin-config name: exuberant-ctags version: 1:5.9~svn20110310-11 commands: ctags,ctags-exuberant,etags name: fakeroot version: 1.22-2ubuntu1 commands: faked-sysv,faked-tcp,fakeroot,fakeroot-sysv,fakeroot-tcp name: fbset version: 2.1-30 commands: con2fbmap,fbset,modeline2fb name: fdisk version: 2.31.1-0.4ubuntu3 commands: cfdisk,fdisk,sfdisk name: fetchmail version: 6.3.26-3build1 commands: fetchmail,popclient name: file version: 1:5.32-2 commands: file name: file-roller version: 3.28.0-1ubuntu1 commands: file-roller name: findutils version: 4.6.0+git+20170828-2 commands: find,xargs name: flex version: 2.6.4-6 commands: flex,flex++,lex name: fontconfig version: 2.12.6-0ubuntu2 commands: fc-cache,fc-cat,fc-list,fc-match,fc-pattern,fc-query,fc-scan,fc-validate name: freeipmi-tools version: 1.4.11-1.1ubuntu4 commands: bmc-config,bmc-device,bmc-info,ipmi-chassis,ipmi-chassis-config,ipmi-config,ipmi-console,ipmi-dcmi,ipmi-fru,ipmi-locate,ipmi-oem,ipmi-pef-config,ipmi-pet,ipmi-ping,ipmi-power,ipmi-raw,ipmi-sel,ipmi-sensors,ipmi-sensors-config,ipmiconsole,ipmimonitoring,ipmiping,ipmipower,pef-config,rmcp-ping,rmcpping name: freeradius version: 3.0.16+dfsg-1ubuntu3 commands: checkrad,freeradius,rad_counter,raddebug,radmin name: freeradius-utils version: 3.0.16+dfsg-1ubuntu3 commands: radclient,radcrypt,radeapclient,radlast,radsniff,radsqlrelay,radtest,radwho,radzap,rlm_ippool_tool,smbencrypt name: ftp version: 0.17-34 commands: ftp,netkit-ftp,pftp name: fuse version: 2.9.7-1ubuntu1 commands: fusermount,mount.fuse,ulockmgr_server name: fwupd version: 1.0.6-2 commands: dfu-tool,fwupdmgr name: g++ version: 4:7.3.0-3ubuntu2 commands: c++,g++,s390x-linux-gnu-g++ name: g++-7 version: 7.3.0-16ubuntu3 commands: g++-7,s390x-linux-gnu-g++-7 name: gawk version: 1:4.1.4+dfsg-1build1 commands: awk,gawk,igawk,nawk name: gcc version: 4:7.3.0-3ubuntu2 commands: c89,c89-gcc,c99,c99-gcc,cc,gcc,gcc-ar,gcc-nm,gcc-ranlib,gcov,gcov-dump,gcov-tool,s390x-linux-gnu-gcc,s390x-linux-gnu-gcc-ar,s390x-linux-gnu-gcc-nm,s390x-linux-gnu-gcc-ranlib,s390x-linux-gnu-gcov,s390x-linux-gnu-gcov-dump,s390x-linux-gnu-gcov-tool name: gcc-7 version: 7.3.0-16ubuntu3 commands: gcc-7,gcc-ar-7,gcc-nm-7,gcc-ranlib-7,gcov-7,gcov-dump-7,gcov-tool-7,s390x-linux-gnu-gcc-7,s390x-linux-gnu-gcc-ar-7,s390x-linux-gnu-gcc-nm-7,s390x-linux-gnu-gcc-ranlib-7,s390x-linux-gnu-gcov-7,s390x-linux-gnu-gcov-dump-7,s390x-linux-gnu-gcov-tool-7 name: gcr version: 3.28.0-1 commands: gcr-viewer name: gdb version: 8.1-0ubuntu3 commands: gcore,gdb,gdb-add-index,gdbtui name: gdbserver version: 8.1-0ubuntu3 commands: gdbserver name: gdisk version: 1.0.3-1 commands: cgdisk,fixparts,gdisk,sgdisk name: gdm3 version: 3.28.0-0ubuntu1 commands: gdm-screenshot,gdm3 name: gedit version: 3.28.1-1ubuntu1 commands: gedit,gnome-text-editor name: genisoimage version: 9:1.1.11-3ubuntu2 commands: devdump,dirsplit,genisoimage,geteltorito,isodump,isoinfo,isovfy,mkisofs,mkzftree name: geoip-bin version: 1.6.12-1 commands: geoiplookup,geoiplookup6 name: germinate version: 2.28 commands: dh_germinate_clean,dh_germinate_metapackage,germinate,germinate-pkg-diff,germinate-update-metapackage name: gettext version: 0.19.8.1-6 commands: gettextize,msgattrib,msgcat,msgcmp,msgcomm,msgconv,msgen,msgexec,msgfilter,msgfmt,msggrep,msginit,msgmerge,msgunfmt,msguniq,recode-sr-latin,xgettext name: gettext-base version: 0.19.8.1-6 commands: envsubst,gettext,gettext.sh,ngettext name: gfortran version: 4:7.3.0-3ubuntu2 commands: f77,f95,gfortran,s390x-linux-gnu-gfortran name: gfortran-7 version: 7.3.0-16ubuntu3 commands: gfortran-7,s390x-linux-gnu-gfortran-7 name: ghostscript version: 9.22~dfsg+1-0ubuntu1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: git version: 1:2.17.0-1ubuntu1 commands: git,git-receive-pack,git-shell,git-upload-archive,git-upload-pack name: git-remote-bzr version: 0.3-2 commands: git-remote-bzr name: gjs version: 1.52.1-1ubuntu1 commands: gjs,gjs-console name: gkbd-capplet version: 3.26.0-3 commands: gkbd-keyboard-display name: glance-api version: 2:16.0.0-0ubuntu1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.0-0ubuntu1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.0-0ubuntu1 commands: glance-registry,glance-replicator name: gnome-bluetooth version: 3.28.0-2 commands: bluetooth-sendto name: gnome-calculator version: 1:3.28.1-1ubuntu1 commands: gcalccmd,gnome-calculator name: gnome-calendar version: 3.28.1-1ubuntu2 commands: gnome-calendar name: gnome-characters version: 3.28.0-3 commands: gnome-characters name: gnome-control-center version: 1:3.28.1-0ubuntu1 commands: gnome-control-center name: gnome-disk-utility version: 3.28.1-0ubuntu1 commands: gnome-disk-image-mounter,gnome-disks name: gnome-font-viewer version: 3.28.0-1 commands: gnome-font-viewer,gnome-thumbnail-font name: gnome-keyring version: 3.28.0.2-1ubuntu1 commands: gnome-keyring,gnome-keyring-3,gnome-keyring-daemon name: gnome-logs version: 3.28.0-1 commands: gnome-logs name: gnome-mahjongg version: 1:3.22.0-3 commands: gnome-mahjongg name: gnome-menus version: 3.13.3-11ubuntu1 commands: gnome-menus-blacklist name: gnome-mines version: 1:3.28.0-1 commands: gnome-mines name: gnome-power-manager version: 3.26.0-1 commands: gnome-power-statistics name: gnome-screenshot version: 3.25.0-0ubuntu2 commands: gnome-screenshot name: gnome-session-bin version: 3.28.1-0ubuntu2 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-session-canberra version: 0.30-5ubuntu1 commands: canberra-gtk-play name: gnome-shell version: 3.28.1-0ubuntu2 commands: gnome-shell,gnome-shell-extension-prefs,gnome-shell-extension-tool,gnome-shell-perf-tool name: gnome-software version: 3.28.1-0ubuntu4 commands: gnome-software,gnome-software-editor name: gnome-startup-applications version: 3.28.1-0ubuntu2 commands: gnome-session-properties name: gnome-sudoku version: 1:3.28.0-1 commands: gnome-sudoku name: gnome-system-monitor version: 3.28.1-1 commands: gnome-system-monitor name: gnome-terminal version: 3.28.1-1ubuntu1 commands: gnome-terminal,gnome-terminal.real,gnome-terminal.wrapper,x-terminal-emulator name: gnome-todo version: 3.28.1-1 commands: gnome-todo name: gnupg-utils version: 2.2.4-1ubuntu1 commands: addgnupghome,applygnupgdefaults,gpg-zip,gpgparsemail,gpgsplit,kbxutil,lspgpot,migrate-pubring-from-classic-gpg,symcryptrun,watchgnupg name: gobject-introspection version: 1.56.1-1 commands: dh_girepository,g-ir-annotation-tool,g-ir-compiler,g-ir-doc-tool,g-ir-generate,g-ir-inspect,g-ir-scanner name: golang-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gparted version: 0.30.0-3ubuntu1 commands: gparted,gpartedbin name: gpg version: 2.2.4-1ubuntu1 commands: gpg name: gpg-agent version: 2.2.4-1ubuntu1 commands: gpg-agent name: gpg-wks-server version: 2.2.4-1ubuntu1 commands: gpg-wks-server name: gpgconf version: 2.2.4-1ubuntu1 commands: gpg-connect-agent,gpgconf name: gpgsm version: 2.2.4-1ubuntu1 commands: gpgsm name: gpgv version: 2.2.4-1ubuntu1 commands: gpgv name: grep version: 3.1-2 commands: egrep,fgrep,grep,rgrep name: groff-base version: 1.22.3-10 commands: eqn,geqn,gpic,groff,grog,grops,grotty,gtbl,neqn,nroff,pic,preconv,soelim,tbl,troff name: grub-common version: 2.02-2ubuntu8 commands: grub-editenv,grub-file,grub-fstest,grub-glue-efi,grub-kbdcomp,grub-macbless,grub-menulst2cfg,grub-mkconfig,grub-mkdevicemap,grub-mkfont,grub-mkimage,grub-mklayout,grub-mknetdir,grub-mkpasswd-pbkdf2,grub-mkrelpath,grub-mkrescue,grub-mkstandalone,grub-mount,grub-probe,grub-render-label,grub-script-check,grub-syslinux2cfg name: grub-legacy-ec2 version: 1:1 commands: grub-set-default,grub-set-default-legacy-ec2,update-grub-legacy-ec2 name: gstreamer1.0-packagekit version: 1.1.9-1ubuntu2 commands: gstreamer-codec-install name: gstreamer1.0-plugins-base-apps version: 1.14.0-2ubuntu1 commands: gst-device-monitor-1.0,gst-discoverer-1.0,gst-play-1.0 name: gstreamer1.0-tools version: 1.14.0-1 commands: gst-inspect-1.0,gst-launch-1.0,gst-typefind-1.0 name: gtk-3-examples version: 3.22.30-1ubuntu1 commands: gtk-encode-symbolic-svg,gtk3-demo,gtk3-demo-application,gtk3-icon-browser,gtk3-widget-factory name: gtk-update-icon-cache version: 3.22.30-1ubuntu1 commands: gtk-update-icon-cache,update-icon-caches name: gtk2.0-examples version: 2.24.32-1ubuntu1 commands: gtk-demo name: guile-2.0 version: 2.0.13+1-5build2 commands: guile,guile-2.0 name: guile-2.0-dev version: 2.0.13+1-5build2 commands: guild,guile-config,guile-snarf,guile-tools name: gvfs-bin version: 1.36.1-0ubuntu1 commands: gvfs-cat,gvfs-copy,gvfs-info,gvfs-less,gvfs-ls,gvfs-mime,gvfs-mkdir,gvfs-monitor-dir,gvfs-monitor-file,gvfs-mount,gvfs-move,gvfs-open,gvfs-rename,gvfs-rm,gvfs-save,gvfs-set-attribute,gvfs-trash,gvfs-tree name: gzip version: 1.6-5ubuntu1 commands: gunzip,gzexe,gzip,uncompress,zcat,zcmp,zdiff,zegrep,zfgrep,zforce,zgrep,zless,zmore,znew name: haproxy version: 1.8.8-1 commands: halog,haproxy name: hdparm version: 9.54+ds-1 commands: hdparm name: heartbeat version: 1:3.0.6-7 commands: cl_respawn,cl_status name: heat-api version: 1:10.0.0-0ubuntu1.1 commands: heat-api,heat-wsgi-api name: heat-api-cfn version: 1:10.0.0-0ubuntu1.1 commands: heat-api-cfn,heat-wsgi-api-cfn name: heat-common version: 1:10.0.0-0ubuntu1.1 commands: heat-db-setup,heat-keystone-setup,heat-keystone-setup-domain,heat-manage name: heat-engine version: 1:10.0.0-0ubuntu1.1 commands: heat-engine name: heimdal-dev version: 7.5.0+dfsg-1 commands: krb5-config name: heimdal-multidev version: 7.5.0+dfsg-1 commands: asn1_compile,asn1_print,krb5-config.heimdal,slc name: hello version: 2.10-1build1 commands: hello name: hfsplus version: 1.0.4-15 commands: hpcd,hpcopy,hpfsck,hpls,hpmkdir,hpmount,hppwd,hprm,hpumount name: hfst-ospell version: 0.4.5~r343-2.1build2 commands: hfst-ospell,hfst-ospell-office name: hfsutils version: 3.2.6-14 commands: hattrib,hcd,hcopy,hdel,hdir,hformat,hls,hmkdir,hmount,hpwd,hrename,hrmdir,humount,hvol name: hibagent version: 1.0.1-0ubuntu1 commands: enable-ec2-spot-hibernation,hibagent name: hostname version: 3.20 commands: dnsdomainname,domainname,hostname,nisdomainname,ypdomainname name: hplip version: 3.17.10+repack0-5 commands: hp-align,hp-check,hp-clean,hp-colorcal,hp-config_usb_printer,hp-doctor,hp-firmware,hp-info,hp-levels,hp-logcapture,hp-makeuri,hp-pkservice,hp-plugin,hp-plugin-ubuntu,hp-probe,hp-query,hp-scan,hp-setup,hp-testpage,hp-timedate name: htop version: 2.1.0-3 commands: htop name: hunspell-tools version: 1.6.2-1 commands: ispellaff2myspell,munch,unmunch name: ibus version: 1.5.17-3ubuntu4 commands: ibus,ibus-daemon,ibus-setup name: ibus-hangul version: 1.5.0+git20161231-1 commands: ibus-setup-hangul name: ibus-table version: 1.9.14-3 commands: ibus-table-createdb name: icu-devtools version: 60.2-3ubuntu3 commands: derb,escapesrc,genbrk,genccode,gencfu,gencmn,gencnval,gendict,gennorm2,genrb,gensprep,icuinfo,icupkg,makeconv,pkgdata,uconv name: ieee-data version: 20180204.1 commands: update-ieee-data name: ifenslave version: 2.9ubuntu1 commands: ifenslave,ifenslave-2.6 name: ifupdown version: 0.8.17ubuntu1 commands: ifdown,ifquery,ifup name: iio-sensor-proxy version: 2.4-2 commands: iio-sensor-proxy,monitor-sensor name: im-config version: 0.34-1ubuntu1 commands: im-config,im-launch name: imagemagick-6.q16 version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16,compare,compare-im6,compare-im6.q16,composite,composite-im6,composite-im6.q16,conjure,conjure-im6,conjure-im6.q16,convert,convert-im6,convert-im6.q16,display,display-im6,display-im6.q16,identify,identify-im6,identify-im6.q16,import,import-im6,import-im6.q16,mogrify,mogrify-im6,mogrify-im6.q16,montage,montage-im6,montage-im6.q16,stream,stream-im6,stream-im6.q16 name: indent version: 2.2.11-5 commands: indent name: info version: 6.5.0.dfsg.1-2 commands: info,infobrowser name: init-system-helpers version: 1.51 commands: deb-systemd-helper,deb-systemd-invoke,invoke-rc.d,service,update-rc.d name: initramfs-tools version: 0.130ubuntu3 commands: update-initramfs name: initramfs-tools-core version: 0.130ubuntu3 commands: lsinitramfs,mkinitramfs,unmkinitramfs name: inputattach version: 1:1.6.0-2 commands: inputattach name: install-info version: 6.5.0.dfsg.1-2 commands: ginstall-info,install-info,update-info-dir name: installation-report version: 2.62ubuntu1 commands: gen-preseed,report-hw name: iotop version: 0.6-2 commands: iotop name: ippusbxd version: 1.32-2 commands: ippusbxd name: iproute2 version: 4.15.0-2ubuntu1 commands: arpd,bridge,ctstat,devlink,genl,ip,lnstat,nstat,rdma,routef,routel,rtacct,rtmon,rtstat,ss,tc,tipc name: ipset version: 6.34-1 commands: ipset name: iptables version: 1.6.1-2ubuntu2 commands: ip6tables,ip6tables-apply,ip6tables-restore,ip6tables-save,iptables,iptables-apply,iptables-restore,iptables-save,iptables-xml,nfnl_osf,xtables-multi name: iptraf-ng version: 1:1.1.4-6 commands: iptraf-ng,rvnamed-ng name: iputils-arping version: 3:20161105-1ubuntu2 commands: arping name: iputils-ping version: 3:20161105-1ubuntu2 commands: ping,ping4,ping6 name: iputils-tracepath version: 3:20161105-1ubuntu2 commands: tracepath,traceroute6,traceroute6.iputils name: ipvsadm version: 1:1.28-3build1 commands: ipvsadm,ipvsadm-restore,ipvsadm-save name: irda-utils version: 0.9.18-14ubuntu2 commands: irattach,irdadump,irdaping,irnetd,irpsion5 name: irqbalance version: 1.3.0-0.1 commands: irqbalance,irqbalance-ui name: irssi version: 1.0.5-1ubuntu4 commands: botti,irssi name: isc-dhcp-client version: 4.3.5-3ubuntu7 commands: dhclient,dhclient-script name: isc-dhcp-server version: 4.3.5-3ubuntu7 commands: dhcp-lease-list,dhcpd,omshell name: iw version: 4.14-0.1 commands: iw name: java-common version: 0.63ubuntu1~02 commands: update-java-alternatives name: jfsutils version: 1.1.15-3 commands: fsck.jfs,jfs_debugfs,jfs_fsck,jfs_fscklog,jfs_logdump,jfs_mkfs,jfs_tune,mkfs.jfs name: jigit version: 1.20-2ubuntu2 commands: jigdo-gen-md5-list,jigdump,jigit-mkimage,jigsum,mkjigsnap name: john version: 1.8.0-2build1 commands: john,mailer,unafs,unique,unshadow name: joyent-mdata-client version: 0.0.1-0ubuntu3 commands: mdata-delete,mdata-get,mdata-list,mdata-put name: kbd version: 2.0.4-2ubuntu1 commands: chvt,codepage,deallocvt,dumpkeys,fgconsole,getkeycodes,kbd_mode,kbdinfo,kbdrate,loadkeys,loadunimap,mapscrn,mk_modmap,open,openvt,psfaddtable,psfgettable,psfstriptable,psfxtable,screendump,setfont,setkeycodes,setleds,setlogcons,setmetamode,setvesablank,setvtrgb,showconsolefont,showkey,splitfont,unicode_start,unicode_stop,vcstime name: kdump-tools version: 1:1.6.3-2 commands: kdump-config name: keepalived version: 1:1.3.9-1build1 commands: genhash,keepalived name: kernel-wedge version: 2.96ubuntu3 commands: kernel-wedge name: kerneloops version: 0.12+git20140509-6ubuntu2 commands: kerneloops,kerneloops-submit name: kexec-tools version: 1:2.0.16-1ubuntu1 commands: coldreboot,kdump,kexec,vmcore-dmesg name: keystone version: 2:13.0.0-0ubuntu1 commands: keystone-manage,keystone-wsgi-admin,keystone-wsgi-public name: keyutils version: 1.5.9-9.2ubuntu2 commands: key.dns_resolver,keyctl,request-key name: kmod version: 24-1ubuntu3 commands: depmod,insmod,kmod,lsmod,modinfo,modprobe,rmmod name: kpartx version: 0.7.4-2ubuntu3 commands: kpartx name: krb5-multidev version: 1.16-2build1 commands: krb5-config.mit name: landscape-client version: 18.01-0ubuntu3 commands: landscape-broker,landscape-client,landscape-config,landscape-manager,landscape-monitor,landscape-package-changer,landscape-package-reporter,landscape-release-upgrader name: landscape-common version: 18.01-0ubuntu3 commands: landscape-sysinfo name: language-selector-common version: 0.188 commands: check-language-support name: language-selector-gnome version: 0.188 commands: gnome-language-selector name: laptop-detect version: 0.16 commands: laptop-detect name: lbdb version: 0.46 commands: lbdb-fetchaddr,lbdb_dotlock,lbdbq,nodelist2lbdb name: ldap-utils version: 2.4.45+dfsg-1ubuntu1 commands: ldapadd,ldapcompare,ldapdelete,ldapexop,ldapmodify,ldapmodrdn,ldappasswd,ldapsearch,ldapurl,ldapwhoami name: less version: 487-0.1 commands: less,lessecho,lessfile,lesskey,lesspipe,pager name: lftp version: 4.8.1-1 commands: lftp,lftpget name: libaa1-dev version: 1.4p5-44build2 commands: aalib-config name: libapr1-dev version: 1.6.3-2 commands: apr-1-config,apr-config name: libaprutil1-dev version: 1.6.1-2 commands: apu-1-config,apu-config name: libarchive-cpio-perl version: 0.10-1 commands: cpio-filter name: libarchive-zip-perl version: 1.60-1 commands: crc32 name: libart-2.0-dev version: 2.3.21-3 commands: libart2-config name: libassuan-dev version: 2.5.1-2 commands: libassuan-config name: libbind-dev version: 1:9.11.3+dfsg-1ubuntu1 commands: isc-config.sh name: libbogl-dev version: 0.1.18-12ubuntu1 commands: bdftobogl,mergebdf,pngtobogl,reduce-font name: libboost1.65-tools-dev version: 1.65.1+dfsg-0ubuntu5 commands: b2,bcp,bjam,inspect,quickbook name: libc-bin version: 2.27-3ubuntu1 commands: catchsegv,getconf,getent,iconv,iconvconfig,ldconfig,ldconfig.real,ldd,locale,localedef,pldd,tzselect,zdump,zic name: libc-dev-bin version: 2.27-3ubuntu1 commands: gencat,mtrace,rpcgen,sotruss,sprof name: libcaca-dev version: 0.99.beta19-2build2~gcc5.3 commands: caca-config name: libcap2-bin version: 1:2.25-1.2 commands: capsh,getcap,getpcaps,setcap name: libcharon-extra-plugins version: 5.6.2-1ubuntu2 commands: pt-tls-client name: libclamav-dev version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-config name: libcups2-dev version: 2.2.7-1ubuntu2 commands: cups-config name: libcurl4-gnutls-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-nss-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libcurl4-openssl-dev version: 7.58.0-2ubuntu3 commands: curl-config name: libdbi-perl version: 1.640-1 commands: dbilogstrip,dbiprof,dbiproxy,dh_perl_dbi name: libdbus-glib-1-dev version: 0.110-2 commands: dbus-binding-tool name: libdumbnet-dev version: 1.12-7build1 commands: dnet-config,dumbnet,dumbnet-config name: libecpg-dev version: 10.3-1 commands: ecpg name: libesmtp-dev version: 1.0.6-4.3build1 commands: libesmtp-config name: libfftw3-bin version: 3.3.7-1 commands: fftw-wisdom,fftw-wisdom-to-conf,fftwf-wisdom,fftwl-wisdom name: libfile-mimeinfo-perl version: 0.28-1 commands: mimeopen,mimetype name: libfreetype6-dev version: 2.8.1-2ubuntu2 commands: freetype-config name: libgcrypt20-dev version: 1.8.1-4ubuntu1 commands: dumpsexp,hmac256,libgcrypt-config,mpicalc name: libgdk-pixbuf2.0-bin version: 2.36.11-2 commands: gdk-pixbuf-thumbnailer name: libgdk-pixbuf2.0-dev version: 2.36.11-2 commands: gdk-pixbuf-csource,gdk-pixbuf-pixdata,gdk-pixbuf-query-loaders name: libgdm1 version: 3.28.0-0ubuntu1 commands: gdmflexiserver name: libglib-object-introspection-perl version: 0.044-2 commands: perli11ndoc name: libglib2.0-bin version: 2.56.1-2ubuntu1 commands: gapplication,gdbus,gio,gio-querymodules,glib-compile-schemas,gresource,gsettings name: libglib2.0-dev-bin version: 2.56.1-2ubuntu1 commands: gdbus-codegen,glib-compile-resources,glib-genmarshal,glib-gettextize,glib-mkenums,gobject-query,gtester,gtester-report name: libgpg-error-dev version: 1.27-6 commands: gpg-error,gpg-error-config,yat2m name: libgpgme-dev version: 1.10.0-1ubuntu1 commands: gpgme-config,gpgme-tool name: libgpod-common version: 0.8.3-11 commands: ipod-read-sysinfo-extended,ipod-time-sync name: libgstreamer1.0-dev version: 1.14.0-1 commands: dh_gstscancodecs,gst-codec-info-1.0 name: libgtk-3-bin version: 3.22.30-1ubuntu1 commands: broadwayd,gtk-builder-tool,gtk-launch,gtk-query-settings name: libgtk2.0-dev version: 2.24.32-1ubuntu1 commands: dh_gtkmodules,gtk-builder-convert name: libgusb-dev version: 0.2.11-1 commands: gusbcmd name: libicu-dev version: 60.2-3ubuntu3 commands: icu-config name: libiec61883-dev version: 1.2.0-2 commands: plugctl,plugreport name: libijs-dev version: 0.35-13 commands: ijs-config name: libklibc-dev version: 2.0.4-9ubuntu2 commands: klcc name: libkrb5-dev version: 1.16-2build1 commands: krb5-config name: libksba-dev version: 1.3.5-2 commands: ksba-config name: liblcms2-utils version: 2.9-1 commands: jpgicc,linkicc,psicc,tificc,transicc name: liblockfile-bin version: 1.14-1.1 commands: dotlockfile name: liblouisutdml-bin version: 2.7.0-1 commands: file2brl name: liblxc-common version: 3.0.0-0ubuntu2 commands: init.lxc,init.lxc.static name: libm17n-dev version: 1.7.0-3build1 commands: m17n-config name: libmail-dkim-perl version: 0.44-1 commands: dkimproxy-sign,dkimproxy-verify name: libmemcached-tools version: 1.0.18-4.2 commands: memccapable,memccat,memccp,memcdump,memcerror,memcexist,memcflush,memcparse,memcping,memcrm,memcslap,memcstat,memctouch name: libmozjs-52-dev version: 52.3.1-7fakesync1 commands: js52,js52-config name: libmysqlclient-dev version: 5.7.21-1ubuntu1 commands: mysql_config name: libncurses5-dev version: 6.1-1ubuntu1 commands: ncurses5-config name: libncursesw5-dev version: 6.1-1ubuntu1 commands: ncursesw5-config name: libneon27-dev version: 0.30.2-2build1 commands: neon-config name: libneon27-gnutls-dev version: 0.30.2-2build1 commands: neon-config name: libnet-server-perl version: 2.009-1 commands: net-server name: libnet1-dev version: 1.1.6+dfsg-3.1 commands: libnet-config name: libnotify-bin version: 0.7.7-3 commands: notify-send name: libnpth0-dev version: 1.5-3 commands: npth-config name: libnspr4-dev version: 2:4.18-1ubuntu1 commands: nspr-config name: libnss-db version: 2.2.3pre1-6build2 commands: makedb name: libnss3-dev version: 2:3.35-2ubuntu2 commands: nss-config name: libopenobex2 version: 1.7.2-1 commands: obex-check-device name: liborc-0.4-dev-bin version: 1:0.4.28-1 commands: orc-bugreport,orcc name: libotf-dev version: 0.9.13-3build1 commands: libotf-config name: libpam-modules-bin version: 1.1.8-3.6ubuntu2 commands: mkhomedir_helper,pam_extrausers_chkpwd,pam_extrausers_update,pam_tally,pam_tally2,pam_timestamp_check,unix_chkpwd,unix_update name: libpam-mount version: 2.16-3build2 commands: ,mount.crypt,mount.crypt_LUKS,mount.crypto_LUKS,pmt-ehd,pmvarrun,umount.crypt,umount.crypt_LUKS,umount.crypto_LUKS name: libpam-runtime version: 1.1.8-3.6ubuntu2 commands: pam-auth-update,pam_getenv name: libpango1.0-dev version: 1.40.14-1 commands: pango-view name: libpaper-utils version: 1.1.24+nmu5ubuntu1 commands: paperconf,paperconfig name: libparse-debianchangelog-perl version: 1.2.0-12 commands: parsechangelog name: libparse-pidl-perl version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: pidl name: libparse-yapp-perl version: 1.21-1 commands: yapp name: libpcap0.8-dev version: 1.8.1-6ubuntu1 commands: pcap-config name: libpcre3-dev version: 2:8.39-9 commands: pcre-config name: libpcsclite-dev version: 1.8.23-1 commands: pcsc-spy name: libpeas-doc version: 1.22.0-2 commands: peas-demo name: libperl5.26 version: 5.26.1-6 commands: cpan5.26-s390x-linux-gnu,perl5.26-s390x-linux-gnu name: libpinyin-utils version: 2.1.91-1 commands: gen_binary_files,gen_unigram,import_interpolation name: libpng-dev version: 1.6.34-1 commands: libpng-config,libpng16-config name: libpng-tools version: 1.6.34-1 commands: png-fix-itxt,pngfix name: libpq-dev version: 10.3-1 commands: pg_config name: libpspell-dev version: 0.60.7~20110707-4 commands: pspell-config name: libpython-dbg version: 2.7.15~rc1-1 commands: s390x-linux-gnu-python-dbg-config name: libpython-dev version: 2.7.15~rc1-1 commands: s390x-linux-gnu-python-config name: libpython2.7-dbg version: 2.7.15~rc1-1 commands: s390x-linux-gnu-python2.7-dbg-config name: libpython2.7-dev version: 2.7.15~rc1-1 commands: s390x-linux-gnu-python2.7-config name: libpython3-dbg version: 3.6.5-3 commands: s390x-linux-gnu-python3-dbg-config,s390x-linux-gnu-python3dm-config name: libpython3-dev version: 3.6.5-3 commands: s390x-linux-gnu-python3-config,s390x-linux-gnu-python3m-config name: libpython3.6-dbg version: 3.6.5-3 commands: s390x-linux-gnu-python3.6-dbg-config,s390x-linux-gnu-python3.6dm-config name: libpython3.6-dev version: 3.6.5-3 commands: s390x-linux-gnu-python3.6-config,s390x-linux-gnu-python3.6m-config name: libqb-dev version: 1.0.1-1ubuntu1 commands: qb-blackbox name: librados-dev version: 12.2.4-0ubuntu1 commands: librados-config name: librasqal3-dev version: 0.9.32-1build1 commands: rasqal-config name: libraw1394-tools version: 2.1.2-1 commands: dumpiso,sendiso,testlibraw name: librdf0-dev version: 1.0.17-1.1 commands: redland-config name: libreoffice-calc version: 1:6.0.3-0ubuntu1 commands: localc name: libreoffice-common version: 1:6.0.3-0ubuntu1 commands: libreoffice,loffice,lofromtemplate,soffice,unopkg name: libreoffice-draw version: 1:6.0.3-0ubuntu1 commands: lodraw name: libreoffice-impress version: 1:6.0.3-0ubuntu1 commands: loimpress name: libreoffice-math version: 1:6.0.3-0ubuntu1 commands: lomath name: libreoffice-writer version: 1:6.0.3-0ubuntu1 commands: loweb,lowriter name: libsdl1.2-dev version: 1.2.15+dfsg2-0.1 commands: sdl-config name: libsnmp-dev version: 5.7.3+dfsg-1.8ubuntu3 commands: mib2c,mib2c-update,net-snmp-config,net-snmp-create-v3-user name: libstrongswan-extra-plugins version: 5.6.2-1ubuntu2 commands: tpm_extendpcr name: libtag1-dev version: 1.11.1+dfsg.1-0.2build2 commands: taglib-config name: libtemplate-perl version: 2.27-1 commands: tpage,ttree name: libtextwrap-dev version: 0.1-14.1 commands: dotextwrap name: libtool version: 2.4.6-2 commands: libtoolize name: libtool-bin version: 2.4.6-2 commands: libtool name: libunity9 version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: unity-scope-loader name: libusb-dev version: 2:0.1.12-31 commands: libusb-config name: libvirt-clients version: 4.0.0-1ubuntu8 commands: virsh,virt-admin,virt-host-validate,virt-login-shell,virt-pki-validate,virt-xml-validate name: libvirt-daemon version: 4.0.0-1ubuntu8 commands: libvirtd,virt-sanlock-cleanup,virtlockd,virtlogd name: libvncserver-config version: 0.9.11+dfsg-1ubuntu1 commands: libvncserver-config name: libvoikko-dev version: 4.1.1-1.1 commands: voikkogc,voikkohyphenate,voikkospell,voikkovfstc name: libwacom-bin version: 0.29-1 commands: libwacom-list-local-devices name: libwayland-bin version: 1.14.0-2 commands: wayland-scanner name: libwmf-dev version: 0.2.8.4-12 commands: libwmf-config name: libwnck-3-dev version: 3.24.1-2 commands: wnck-urgency-monitor,wnckprop name: libwww-perl version: 6.31-1 commands: GET,HEAD,POST,lwp-download,lwp-dump,lwp-mirror,lwp-request name: libxapian-dev version: 1.4.5-1 commands: xapian-config name: libxml-sax-perl version: 0.99+dfsg-2ubuntu1 commands: update-perl-sax-parsers name: libxml2-dev version: 2.9.4+dfsg1-6.1ubuntu1 commands: xml2-config name: libxml2-utils version: 2.9.4+dfsg1-6.1ubuntu1 commands: xmlcatalog,xmllint name: libxmlsec1-dev version: 1.2.25-1build1 commands: xmlsec1-config name: libxslt1-dev version: 1.1.29-5 commands: xslt-config name: licensecheck version: 3.0.31-2 commands: licensecheck name: lintian version: 2.5.81ubuntu1 commands: lintian,lintian-info,lintian-lab-tool,spellintian name: linux-base version: 4.5ubuntu1 commands: linux-check-removal,linux-update-symlinks,linux-version name: linux-cloud-tools-common version: 4.15.0-20.21 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-20.21 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-20.21 commands: kvm_stat name: live-build version: 3.0~a57-1ubuntu34 commands: lb,live-build name: llvm-3.9 version: 1:3.9.1-19ubuntu1 commands: bugpoint-3.9,llc-3.9,llvm-PerfectShuffle-3.9,llvm-ar-3.9,llvm-as-3.9,llvm-bcanalyzer-3.9,llvm-c-test-3.9,llvm-config-3.9,llvm-cov-3.9,llvm-cxxdump-3.9,llvm-diff-3.9,llvm-dis-3.9,llvm-dsymutil-3.9,llvm-dwarfdump-3.9,llvm-dwp-3.9,llvm-extract-3.9,llvm-lib-3.9,llvm-link-3.9,llvm-lto-3.9,llvm-mc-3.9,llvm-mcmarkup-3.9,llvm-nm-3.9,llvm-objdump-3.9,llvm-pdbdump-3.9,llvm-profdata-3.9,llvm-ranlib-3.9,llvm-readobj-3.9,llvm-rtdyld-3.9,llvm-size-3.9,llvm-split-3.9,llvm-stress-3.9,llvm-symbolizer-3.9,llvm-tblgen-3.9,obj2yaml-3.9,opt-3.9,sanstats-3.9,verify-uselistorder-3.9,yaml2obj-3.9 name: llvm-3.9-runtime version: 1:3.9.1-19ubuntu1 commands: lli-3.9,lli-child-target-3.9 name: llvm-6.0 version: 1:6.0-1ubuntu2 commands: bugpoint-6.0,llc-6.0,llvm-PerfectShuffle-6.0,llvm-ar-6.0,llvm-as-6.0,llvm-bcanalyzer-6.0,llvm-c-test-6.0,llvm-cat-6.0,llvm-cfi-verify-6.0,llvm-config-6.0,llvm-cov-6.0,llvm-cvtres-6.0,llvm-cxxdump-6.0,llvm-cxxfilt-6.0,llvm-diff-6.0,llvm-dis-6.0,llvm-dlltool-6.0,llvm-dsymutil-6.0,llvm-dwarfdump-6.0,llvm-dwp-6.0,llvm-extract-6.0,llvm-lib-6.0,llvm-link-6.0,llvm-lto-6.0,llvm-lto2-6.0,llvm-mc-6.0,llvm-mcmarkup-6.0,llvm-modextract-6.0,llvm-mt-6.0,llvm-nm-6.0,llvm-objcopy-6.0,llvm-objdump-6.0,llvm-opt-report-6.0,llvm-pdbutil-6.0,llvm-profdata-6.0,llvm-ranlib-6.0,llvm-rc-6.0,llvm-readelf-6.0,llvm-readobj-6.0,llvm-rtdyld-6.0,llvm-size-6.0,llvm-split-6.0,llvm-stress-6.0,llvm-strings-6.0,llvm-symbolizer-6.0,llvm-tblgen-6.0,llvm-xray-6.0,obj2yaml-6.0,opt-6.0,sanstats-6.0,verify-uselistorder-6.0,yaml2obj-6.0 name: llvm-6.0-runtime version: 1:6.0-1ubuntu2 commands: lli-6.0,lli-child-target-6.0 name: locales version: 2.27-3ubuntu1 commands: locale-gen,update-locale,validlocale name: lockfile-progs version: 0.1.17build1 commands: lockfile-check,lockfile-create,lockfile-remove,lockfile-touch,mail-lock,mail-touchlock,mail-unlock name: logcheck version: 1.3.18 commands: logcheck,logcheck-test name: login version: 1:4.5-1ubuntu1 commands: faillog,lastlog,login,newgrp,nologin,sg,su name: logrotate version: 3.11.0-0.1ubuntu1 commands: logrotate name: logtail version: 1.3.18 commands: logtail,logtail2 name: logwatch version: 7.4.3+git20161207-2ubuntu1 commands: logwatch name: lp-solve version: 5.5.0.15-4build1 commands: lp_solve name: lsb-release version: 9.20170808ubuntu1 commands: lsb_release name: lshw version: 02.18-0.1ubuntu6 commands: lshw name: lsof version: 4.89+dfsg-0.1 commands: lsof name: lsscsi version: 0.28-0.1 commands: lsscsi name: ltrace version: 0.7.3-6ubuntu1 commands: ltrace name: lvm2 version: 2.02.176-4.1ubuntu3 commands: fsadm,lvchange,lvconvert,lvcreate,lvdisplay,lvextend,lvm,lvmconf,lvmconfig,lvmdiskscan,lvmdump,lvmetad,lvmpolld,lvmsadc,lvmsar,lvreduce,lvremove,lvrename,lvresize,lvs,lvscan,pvchange,pvck,pvcreate,pvdisplay,pvmove,pvremove,pvresize,pvs,pvscan,vgcfgbackup,vgcfgrestore,vgchange,vgck,vgconvert,vgcreate,vgdisplay,vgexport,vgextend,vgimport,vgimportclone,vgmerge,vgmknodes,vgreduce,vgremove,vgrename,vgs,vgscan,vgsplit name: lxcfs version: 3.0.0-0ubuntu1 commands: lxcfs name: lxd version: 3.0.0-0ubuntu4 commands: lxd name: lxd-client version: 3.0.0-0ubuntu4 commands: lxc name: m17n-db version: 1.7.0-2 commands: m17n-db name: m4 version: 1.4.18-1 commands: m4 name: maas-cli version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas name: maas-enlist version: 0.4+bzr38-0ubuntu3 commands: maas-avahi-discover,maas-enlist name: maas-rack-controller version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-dhcp-helper,maas-provision,maas-rack,rackd name: maas-region-api version: 2.4.0~beta2-6865-gec43e47e6-0ubuntu1 commands: maas-generate-winrm-cert,maas-region,maas-region-admin,regiond name: mailman version: 1:2.1.26-1 commands: add_members,check_db,check_perms,clone_member,config_list,find_member,list_admins,list_lists,list_members,mailman-config,mmarch,mmsitepass,newlist,remove_members,rmlist,sync_members,withlist name: make version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makedumpfile version: 1:1.6.3-2 commands: makedumpfile,makedumpfile-R.pl name: man-db version: 2.8.3-2 commands: accessdb,apropos,catman,lexgrog,man,mandb,manpath,whatis name: mawk version: 1.3.3-17ubuntu3 commands: awk,mawk,nawk name: mdadm version: 4.0-2ubuntu1 commands: mdadm,mdmon name: memcached version: 1.5.6-0ubuntu1 commands: memcached name: mime-construct version: 1.11+nmu2 commands: mime-construct name: mime-support version: 3.60ubuntu1 commands: cautious-launcher,compose,edit,print,run-mailcap,see,update-mime name: mlocate version: 0.26-2ubuntu3.1 commands: locate,mlocate,updatedb,updatedb.mlocate name: modemmanager version: 1.6.8-2ubuntu1 commands: ModemManager,mmcli name: mount version: 2.31.1-0.4ubuntu3 commands: losetup,mount,swapoff,swapon,umount name: mouseemu version: 0.16-0ubuntu10 commands: mouseemu name: mousetweaks version: 3.12.0-4 commands: mousetweaks name: mscompress version: 0.4-3build1 commands: mscompress,msexpand name: mtd-utils version: 1:2.0.1-1ubuntu3 commands: doc_loadbios,docfdisk,flash_erase,flash_eraseall,flash_lock,flash_otp_dump,flash_otp_info,flash_otp_lock,flash_otp_write,flash_unlock,flashcp,ftl_check,ftl_format,jffs2dump,jffs2reader,mkfs.jffs2,mkfs.ubifs,mtd_debug,mtdinfo,mtdpart,nanddump,nandtest,nandwrite,nftl_format,nftldump,recv_image,rfddump,rfdformat,serve_image,sumtool,ubiattach,ubiblock,ubicrc32,ubidetach,ubiformat,ubimkvol,ubinfo,ubinize,ubirename,ubirmvol,ubirsvol,ubiupdatevol name: mtools version: 4.0.18-2ubuntu1 commands: amuFormat.sh,lz,mattrib,mbadblocks,mcat,mcd,mcheck,mclasserase,mcomp,mcopy,mdel,mdeltree,mdir,mdu,mformat,minfo,mkmanifest,mlabel,mmd,mmount,mmove,mpartition,mrd,mren,mshortname,mshowfat,mtools,mtoolstest,mtype,mxtar,mzip,tgz,uz name: mtr-tiny version: 0.92-1 commands: mtr,mtr-packet name: mtx version: 1.3.12-10 commands: loaderinfo,mtx,scsieject,scsitape,tapeinfo name: multipath-tools version: 0.7.4-2ubuntu3 commands: mpathpersist,multipath,multipathd name: mutt version: 1.9.4-3 commands: mutt,mutt_dotlock,smime_keys name: mutter version: 3.28.1-1ubuntu1 commands: mutter,x-window-manager name: mysql-client-5.7 version: 5.7.21-1ubuntu1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.21-1ubuntu1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.21-1ubuntu1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.21-1ubuntu1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld name: nano version: 2.9.3-2 commands: editor,nano,pico,rnano name: nautilus version: 1:3.26.3-0ubuntu4 commands: nautilus,nautilus-autorun-software,nautilus-desktop name: nautilus-sendto version: 3.8.6-2 commands: nautilus-sendto name: nbd-server version: 1:3.16.2-1 commands: nbd-server,nbd-trdump name: ncurses-bin version: 6.1-1ubuntu1 commands: captoinfo,clear,infocmp,infotocap,reset,tabs,tic,toe,tput,tset name: net-tools version: 1.60+git20161116.90da8a0-1ubuntu1 commands: arp,ifconfig,ipmaddr,iptunnel,mii-tool,nameif,netstat,plipconfig,rarp,route,slattach name: netcat-openbsd version: 1.187-1 commands: nc,nc.openbsd,netcat name: netpbm version: 2:10.0-15.3build1 commands: 411toppm,anytopnm,asciitopgm,atktopbm,bioradtopgm,bmptopnm,bmptoppm,brushtopbm,cmuwmtopbm,eyuvtoppm,fiascotopnm,fitstopnm,fstopgm,g3topbm,gemtopbm,gemtopnm,giftopnm,gouldtoppm,hipstopgm,icontopbm,ilbmtoppm,imagetops,imgtoppm,jpegtopnm,leaftoppm,lispmtopgm,macptopbm,mdatopbm,mgrtopbm,mtvtoppm,neotoppm,palmtopnm,pamcut,pamdeinterlace,pamdice,pamfile,pamoil,pamstack,pamstretch,pamstretch-gen,pbmclean,pbmlife,pbmmake,pbmmask,pbmpage,pbmpscale,pbmreduce,pbmtext,pbmtextps,pbmto10x,pbmtoascii,pbmtoatk,pbmtobbnbg,pbmtocmuwm,pbmtoepsi,pbmtoepson,pbmtog3,pbmtogem,pbmtogo,pbmtoicon,pbmtolj,pbmtomacp,pbmtomda,pbmtomgr,pbmtonokia,pbmtopgm,pbmtopi3,pbmtoplot,pbmtoppa,pbmtopsg3,pbmtoptx,pbmtowbmp,pbmtox10bm,pbmtoxbm,pbmtoybm,pbmtozinc,pbmupc,pcxtoppm,pgmbentley,pgmcrater,pgmedge,pgmenhance,pgmhist,pgmkernel,pgmnoise,pgmnorm,pgmoil,pgmramp,pgmslice,pgmtexture,pgmtofs,pgmtolispm,pgmtopbm,pgmtoppm,pi1toppm,pi3topbm,pjtoppm,pngtopnm,pnmalias,pnmarith,pnmcat,pnmcolormap,pnmcomp,pnmconvol,pnmcrop,pnmcut,pnmdepth,pnmenlarge,pnmfile,pnmflip,pnmgamma,pnmhisteq,pnmhistmap,pnmindex,pnminterp,pnminterp-gen,pnminvert,pnmmargin,pnmmontage,pnmnlfilt,pnmnoraw,pnmnorm,pnmpad,pnmpaste,pnmpsnr,pnmquant,pnmremap,pnmrotate,pnmscale,pnmscalefixed,pnmshear,pnmsmooth,pnmsplit,pnmtile,pnmtoddif,pnmtofiasco,pnmtofits,pnmtojpeg,pnmtopalm,pnmtoplainpnm,pnmtopng,pnmtops,pnmtorast,pnmtorle,pnmtosgi,pnmtosir,pnmtotiff,pnmtotiffcmyk,pnmtoxwd,ppm3d,ppmbrighten,ppmchange,ppmcie,ppmcolormask,ppmcolors,ppmdim,ppmdist,ppmdither,ppmfade,ppmflash,ppmforge,ppmhist,ppmlabel,ppmmake,ppmmix,ppmnorm,ppmntsc,ppmpat,ppmquant,ppmquantall,ppmqvga,ppmrainbow,ppmrelief,ppmshadow,ppmshift,ppmspread,ppmtoacad,ppmtobmp,ppmtoeyuv,ppmtogif,ppmtoicr,ppmtoilbm,ppmtojpeg,ppmtoleaf,ppmtolj,ppmtomap,ppmtomitsu,ppmtompeg,ppmtoneo,ppmtopcx,ppmtopgm,ppmtopi1,ppmtopict,ppmtopj,ppmtopuzz,ppmtorgb3,ppmtosixel,ppmtotga,ppmtouil,ppmtowinicon,ppmtoxpm,ppmtoyuv,ppmtoyuvsplit,ppmtv,psidtopgm,pstopnm,qrttoppm,rasttopnm,rawtopgm,rawtoppm,rgb3toppm,rletopnm,sbigtopgm,sgitopnm,sirtopnm,sldtoppm,spctoppm,sputoppm,st4topgm,tgatoppm,thinkjettopbm,tifftopnm,wbmptopbm,winicontoppm,xbmtopbm,ximtoppm,xpmtoppm,xvminitoppm,xwdtopnm,ybmtopbm,yuvsplittoppm,yuvtoppm,zeisstopnm name: netplan.io version: 0.36.1 commands: netplan name: network-manager version: 1.10.6-2ubuntu1 commands: NetworkManager,nm-online,nmcli,nmtui,nmtui-connect,nmtui-edit,nmtui-hostname name: network-manager-gnome version: 1.8.10-2ubuntu1 commands: nm-applet,nm-connection-editor name: networkd-dispatcher version: 1.7-0ubuntu3 commands: networkd-dispatcher name: neutron-common version: 2:12.0.1-0ubuntu1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1 commands: neutron-server name: nfs-common version: 1:1.3.4-2.1ubuntu5 commands: blkmapd,mount.nfs,mount.nfs4,mountstats,nfsidmap,nfsiostat,nfsstat,osd_login,rpc.gssd,rpc.idmapd,rpc.statd,rpc.svcgssd,rpcdebug,showmount,sm-notify,start-statd,umount.nfs,umount.nfs4 name: nfs-kernel-server version: 1:1.3.4-2.1ubuntu5 commands: exportfs,nfsdcltrack,rpc.mountd,rpc.nfsd name: nginx-core version: 1.14.0-0ubuntu1 commands: nginx name: nicstat version: 1.95-1build1 commands: nicstat name: nih-dbus-tool version: 1.0.3-6ubuntu2 commands: nih-dbus-tool name: nmap version: 7.60-1ubuntu5 commands: ncat,nmap,nping name: nova-api version: 2:17.0.1-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.1-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.1-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.1-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.1-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.1-0ubuntu1 commands: nova-scheduler name: ntfs-3g version: 1:2017.3.23-2 commands: lowntfs-3g,mkfs.ntfs,mkntfs,mount.lowntfs-3g,mount.ntfs,mount.ntfs-3g,ntfs-3g,ntfs-3g.probe,ntfscat,ntfsclone,ntfscluster,ntfscmp,ntfscp,ntfsdecrypt,ntfsfallocate,ntfsfix,ntfsinfo,ntfslabel,ntfsls,ntfsmove,ntfsrecover,ntfsresize,ntfssecaudit,ntfstruncate,ntfsundelete,ntfsusermap,ntfswipe name: ntfs-3g-dev version: 1:2017.3.23-2 commands: ntfsck,ntfsdump_logfile,ntfsmftalloc name: numactl version: 2.0.11-2.1 commands: migratepages,numactl,numastat name: nut-client version: 2.7.4-5.1ubuntu2 commands: upsc,upscmd,upslog,upsmon,upsrw,upssched,upssched-cmd name: nut-server version: 2.7.4-5.1ubuntu2 commands: upsd,upsdrvctl name: nvidia-prime version: 0.8.8 commands: get-quirk-options,prime-offload,prime-select,prime-supported name: ocfs2-tools version: 1.8.5-3ubuntu1 commands: debugfs.ocfs2,fsck.ocfs2,mkfs.ocfs2,mount.ocfs2,mounted.ocfs2,o2cb,o2cb_ctl,o2cluster,o2hbmonitor,o2image,o2info,ocfs2_hb_ctl,tunefs.ocfs2 name: odbcinst version: 2.3.4-1.1ubuntu3 commands: odbcinst name: oem-config version: 18.04.14 commands: oem-config,oem-config-firstboot,oem-config-prepare,oem-config-remove,oem-config-wrapper name: oem-config-gtk version: 18.04.14 commands: oem-config-remove-gtk name: open-iscsi version: 2.0.874-5ubuntu2 commands: iscsi-iname,iscsi_discovery,iscsiadm,iscsid,iscsistart name: openhpid version: 3.6.1-3.1build1 commands: openhpid name: openipmi version: 2.0.22-1.1ubuntu2 commands: ipmi_ui,ipmicmd,ipmilan,ipmish,openipmicmd,openipmish,rmcp_ping,solterm name: openjdk-11-jdk version: 10.0.1+10-3ubuntu1 commands: appletviewer,jconsole name: openjdk-11-jdk-headless version: 10.0.1+10-3ubuntu1 commands: idlj,jar,jarsigner,javac,javadoc,javap,jcmd,jdb,jdeprscan,jdeps,jhsdb,jimage,jinfo,jlink,jmap,jmod,jps,jrunscript,jshell,jstack,jstat,jstatd,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-11-jre-headless version: 10.0.1+10-3ubuntu1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openobex-apps version: 1.7.2-1 commands: ircp,irobex_palm3,irxfer,obex_find,obex_tcp,obex_test name: openssh-client version: 1:7.6p1-4 commands: scp,sftp,slogin,ssh,ssh-add,ssh-agent,ssh-argv0,ssh-copy-id,ssh-keygen,ssh-keyscan name: openssh-server version: 1:7.6p1-4 commands: ,sshd name: openssl version: 1.1.0g-2ubuntu4 commands: c_rehash,openssl name: openvpn version: 2.4.4-2ubuntu1 commands: openvpn name: openvswitch-common version: 2.9.0-0ubuntu1 commands: ,ovs-appctl,ovs-bugtool,ovs-docker,ovs-ofctl,ovs-parse-backtrace,ovs-pki,ovsdb-client name: openvswitch-switch version: 2.9.0-0ubuntu1 commands: ,ovs-dpctl,ovs-dpctl-top,ovs-pcap,ovs-tcpdump,ovs-tcpundump,ovs-vlan-test,ovs-vsctl,ovs-vswitchd,ovsdb-server,ovsdb-tool name: optipng version: 0.7.6-1.1 commands: optipng name: orca version: 3.28.0-3ubuntu1 commands: orca,orca-dm-wrapper name: os-prober version: 1.74ubuntu1 commands: linux-boot-prober,os-prober name: overlayroot version: 0.40ubuntu1 commands: overlayroot-chroot name: p11-kit version: 0.23.9-2 commands: p11-kit,trust name: pacemaker version: 1.1.18-0ubuntu1 commands: crm_attribute,crm_node,fence_legacy,fence_pcmk,pacemakerd name: pacemaker-cli-utils version: 1.1.18-0ubuntu1 commands: attrd_updater,cibadmin,crm_diff,crm_error,crm_failcount,crm_master,crm_mon,crm_report,crm_resource,crm_shadow,crm_simulate,crm_standby,crm_ticket,crm_verify,crmadmin,iso8601,stonith_admin name: packagekit-tools version: 1.1.9-1ubuntu2 commands: pkcon,pkmon name: parted version: 3.2-20 commands: parted,partprobe name: passwd version: 1:4.5-1ubuntu1 commands: chage,chfn,chgpasswd,chpasswd,chsh,cpgr,cppw,expiry,gpasswd,groupadd,groupdel,groupmems,groupmod,grpck,grpconv,grpunconv,newusers,passwd,pwck,pwconv,pwunconv,shadowconfig,useradd,userdel,usermod,vigr,vipw name: pastebinit version: 1.5-2 commands: pastebinit,pbget,pbput,pbputs name: patch version: 2.7.6-2ubuntu1 commands: patch name: patchutils version: 0.3.4-2 commands: combinediff,dehtmldiff,editdiff,espdiff,filterdiff,fixcvsdiff,flipdiff,grepdiff,interdiff,lsdiff,recountdiff,rediff,splitdiff,unwrapdiff name: pax version: 1:20171021-2 commands: pax,paxcpio,paxtar name: pbuilder version: 0.229.1 commands: debuild-pbuilder,pbuilder,pdebuild name: pciutils version: 1:3.5.2-1ubuntu1 commands: lspci,pcimodules,setpci,update-pciids name: pcmciautils version: 018-8build1 commands: lspcmcia,pccardctl name: perl version: 5.26.1-6 commands: corelist,cpan,enc2xs,encguess,h2ph,h2xs,instmodsh,json_pp,libnetcfg,perlbug,perldoc,perlivp,perlthanks,piconv,pl2pm,pod2html,pod2man,pod2text,pod2usage,podchecker,podselect,prove,ptar,ptardiff,ptargrep,shasum,splain,xsubpp,zipdetails name: perl-base version: 5.26.1-6 commands: perl,perl5.26.1 name: perl-debug version: 5.26.1-6 commands: debugperl name: perl-doc version: 5.26.1-6 commands: perldoc name: perl-openssl-defaults version: 3build1 commands: dh_perl_openssl name: php-common version: 1:60ubuntu1 commands: ,phpdismod,phpenmod,phpquery name: php-pear version: 1:1.10.5+submodules+notgz-1ubuntu1 commands: pear,peardev,pecl name: php7.2-cgi version: 7.2.3-1ubuntu1 commands: php-cgi,php-cgi7.2 name: php7.2-cli version: 7.2.3-1ubuntu1 commands: phar,phar.phar,phar.phar7.2,phar7.2,php,php7.2 name: php7.2-dev version: 7.2.3-1ubuntu1 commands: php-config,php-config7.2,phpize,phpize7.2 name: pinentry-curses version: 1.1.0-1 commands: pinentry,pinentry-curses name: pinentry-gnome3 version: 1.1.0-1 commands: pinentry,pinentry-gnome3,pinentry-x11 name: pkg-config version: 0.29.1-0ubuntu2 commands: pkg-config,s390x-ibm-linux-gnu-pkg-config name: pkg-php-tools version: 1.35ubuntu1 commands: dh_phpcomposer,dh_phppear,pkgtools name: pkgbinarymangler version: 138 commands: dh_builddeb,dpkg-deb,pkgmaintainermangler,pkgsanitychecks,pkgstripfiles,pkgstriptranslations name: plymouth version: 0.9.3-1ubuntu7 commands: plymouth,plymouthd name: po-debconf version: 1.0.20 commands: debconf-gettextize,debconf-updatepo,po2debconf,podebconf-display-po,podebconf-report-po name: policykit-1 version: 0.105-20 commands: pkaction,pkcheck,pkexec,pkttyagent name: policyrcd-script-zg2 version: 0.1-3 commands: policy-rc.d,zg-policy-rc.d name: pollinate version: 4.31-0ubuntu1 commands: pollinate name: poppler-utils version: 0.62.0-2ubuntu2 commands: pdfdetach,pdffonts,pdfimages,pdfinfo,pdfseparate,pdfsig,pdftocairo,pdftohtml,pdftoppm,pdftops,pdftotext,pdfunite name: popularity-contest version: 1.66ubuntu1 commands: popcon-largest-unused,popularity-contest name: postfix version: 3.3.0-1 commands: mailq,newaliases,postalias,postcat,postconf,postdrop,postfix,postfix-add-filter,postfix-add-policy,postkick,postlock,postlog,postmap,postmulti,postqueue,postsuper,posttls-finger,qmqp-sink,qmqp-source,qshape,rmail,sendmail,smtp-sink,smtp-source name: postgresql-client-common version: 190 commands: clusterdb,createdb,createlang,createuser,dropdb,droplang,dropuser,pg_basebackup,pg_dump,pg_dumpall,pg_isready,pg_receivewal,pg_receivexlog,pg_recvlogical,pg_restore,pgbench,psql,reindexdb,vacuumdb,vacuumlo name: postgresql-common version: 190 commands: pg_archivecleanup,pg_config,pg_conftool,pg_createcluster,pg_ctlcluster,pg_dropcluster,pg_lsclusters,pg_renamecluster,pg_updatedicts,pg_upgradecluster,pg_virtualenv name: powermgmt-base version: 1.33 commands: acpi_available,apm_available,on_ac_power name: powertop version: 2.9-0ubuntu1 commands: powertop name: ppp version: 2.4.7-2+2ubuntu1 commands: chat,plog,poff,pon,pppd,pppdump,pppoe-discovery,pppstats name: ppp-dev version: 2.4.7-2+2ubuntu1 commands: dh_ppp name: pppconfig version: 2.3.23 commands: pppconfig name: pppoeconf version: 1.21ubuntu1 commands: pppoeconf name: pptp-linux version: 1.9.0+ds-2 commands: pptp,pptpsetup name: pptpd version: 1.4.0-11build1 commands: pptpctrl,pptpd name: printer-driver-foo2zjs version: 20170320dfsg0-4 commands: arm2hpdl,ddstdecode,foo2ddst,foo2hbpl2,foo2hiperc,foo2hp,foo2lava,foo2oak,foo2qpdl,foo2slx,foo2xqx,foo2zjs,foo2zjs-icc2ps,gipddecode,hbpldecode,hipercdecode,lavadecode,oakdecode,opldecode,qpdldecode,slxdecode,usb_printerid,xqxdecode,zjsdecode name: printer-driver-foo2zjs-common version: 20170320dfsg0-4 commands: foo2ddst-wrapper,foo2hbpl2-wrapper,foo2hiperc-wrapper,foo2hp2600-wrapper,foo2lava-wrapper,foo2oak-wrapper,foo2qpdl-wrapper,foo2slx-wrapper,foo2xqx-wrapper,foo2zjs-pstops,foo2zjs-wrapper,getweb,printer-profile name: printer-driver-gutenprint version: 5.2.13-2 commands: cups-calibrate,cups-genppdupdate name: printer-driver-hpijs version: 3.17.10+repack0-5 commands: hpijs name: printer-driver-m2300w version: 0.51-13 commands: m2300w,m2300w-wrapper,m2400w name: printer-driver-min12xxw version: 0.0.9-10 commands: esc-m,min12xxw name: printer-driver-pnm2ppa version: 1.13+nondbs-0ubuntu6 commands: calibrate_ppa,pnm2ppa name: printer-driver-pxljr version: 1.4+repack0-5 commands: ijs_pxljr name: procmail version: 3.22-26 commands: formail,lockfile,mailstat,procmail name: procps version: 2:3.3.12-3ubuntu1 commands: free,kill,pgrep,pkill,pmap,ps,pwdx,skill,slabtop,snice,sysctl,tload,top,uptime,vmstat,w,w.procps,watch name: psmisc version: 23.1-1 commands: fuser,killall,prtstat,pslog,pstree,pstree.x11 name: pulseaudio version: 1:11.1-1ubuntu7 commands: pulseaudio,start-pulseaudio-x11 name: pulseaudio-utils version: 1:11.1-1ubuntu7 commands: pacat,pacmd,pactl,padsp,pamon,paplay,parec,parecord,pasuspender,pax11publish name: pv version: 1.6.6-1 commands: pv name: python version: 2.7.15~rc1-1 commands: dh_python2,pdb,pydoc,pygettext,python priority-bonus: 3 name: python-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python2-aodh name: python-automat version: 0.6.0-1 commands: automat-visualize name: python-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python2 name: python-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python2-barbican name: python-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python2-ceilometer name: python-chardet version: 3.0.4-1 commands: chardet,chardetect name: python-cherrypy3 version: 8.9.1-2 commands: cherryd name: python-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python2-cinder name: python-dbg version: 2.7.15~rc1-1 commands: python-dbg,python-dbg-config,python2-dbg,python2-dbg-config name: python-designateclient version: 2.9.0-0ubuntu1 commands: designate,python2-designate name: python-dev version: 2.7.15~rc1-1 commands: python-config,python2-config name: python-django-common version: 1:1.11.11-1ubuntu1 commands: django-admin name: python-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python2-futurize,python2-pasteurize name: python-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python2-glance-rootwrap name: python-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python2-glance name: python-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python2-gnocchi name: python-heatclient version: 1.14.0-0ubuntu1 commands: heat,python2-heat name: python-json-pointer version: 1.10-1 commands: jsonpointer,python2-jsonpointer name: python-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python2-jsondiff,python2-jsonpatch name: python-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python2-jsonpath name: python-jsonschema version: 2.6.0-2 commands: jsonschema,python2-jsonschema name: python-jwt version: 1.5.3+ds1-1 commands: pyjwt name: python-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python2-magnum name: python-mako version: 1.0.7+ds1-1 commands: mako-render name: python-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python2-manila name: python-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python2-migrate,python2-migrate-repository name: python-minimal version: 2.7.15~rc1-1 commands: pyclean,pycompile,python,python2,pyversions name: python-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python2-mistral name: python-moinmoin version: 1.9.9-1ubuntu1 commands: moin,moin-mass-migrate,moin-update-wikilist name: python-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python2-monasca name: python-netaddr version: 0.7.19-1 commands: netaddr name: python-neutron version: 2:12.0.1-0ubuntu1 commands: neutron-api name: python-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python2-neutron name: python-nova version: 2:17.0.1-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: python-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python2-nova name: python-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy,f2py,f2py2.7 name: python-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py-dbg,f2py2.7-dbg name: python-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python2-openstack name: python-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python2-openstack-inventory name: python-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python2-lockutils-wrapper name: python-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python2-oslo-config-generator name: python-oslo.log version: 3.36.0-0ubuntu1 commands: python2-convert-json name: python-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python2-oslo-messaging-send-notification,python2-oslo-messaging-zmq-broker,python2-oslo-messaging-zmq-proxy name: python-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python2-oslopolicy-checker,python2-oslopolicy-list-redundant,python2-oslopolicy-policy-generator,python2-oslopolicy-sample-generator name: python-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python2-privsep-helper name: python-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python2-oslo-rootwrap,python2-oslo-rootwrap-daemon name: python-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python2-osprofiler name: python-pastescript version: 2.0.2-2 commands: paster name: python-pbr version: 3.1.1-3ubuntu3 commands: pbr,python2-pbr name: python-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python2-gunicorn_pecan,python2-pecan name: python-ply version: 3.11-1 commands: dh_python-ply name: python-pygments version: 2.2.0+dfsg-1 commands: pygmentize name: python-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python2-make_metadata,python2-mdexport,python2-merge_metadata,python2-parse_xsd2 name: python-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python2-less2scss,python2-pyscss name: python-pysnmp4-apps version: 0.3.2-1 commands: pysnmpbulkwalk,pysnmpget,pysnmpset,pysnmptranslate,pysnmptrap,pysnmpwalk name: python-pysnmp4-mibs version: 0.1.3-1 commands: rebuild-pysnmp-mibs name: python-ryu version: 4.15-0ubuntu2 commands: python2-ryu,python2-ryu-manager,ryu,ryu-manager name: python-swift version: 2.17.0-0ubuntu1 commands: swift-drive-audit,swift-init name: python-swiftclient version: 1:3.5.0-0ubuntu1 commands: python2-swift,swift name: python-troveclient version: 1:2.14.0-0ubuntu1 commands: python2-trove,trove name: python-twisted-core version: 17.9.0-2 commands: ckeygen,conch,conchftp,mailmail,pyhtmlizer,tkconch,trial,twist,twistd name: python-unittest2 version: 1.1.0-6.1 commands: python2-unit2,unit2 name: python-urlgrabber version: 3.10.2-1 commands: urlgrabber name: python-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python2 name: python-yaql version: 1.1.3-0ubuntu1 commands: python2-yaql,yaql name: python2.7 version: 2.7.15~rc1-1 commands: 2to3-2.7,pdb2.7,pydoc2.7,pygettext2.7 name: python2.7-dbg version: 2.7.15~rc1-1 commands: python2.7-dbg,python2.7-dbg-config name: python2.7-dev version: 2.7.15~rc1-1 commands: python2.7-config name: python2.7-minimal version: 2.7.15~rc1-1 commands: python2.7 name: python3 version: 3.6.5-3 commands: pdb3,pydoc3,pygettext3,python priority-bonus: 5 name: python3-automat version: 0.6.0-1 commands: automat-visualize3 name: python3-babel version: 2.4.0+dfsg.1-2ubuntu1 commands: pybabel,pybabel-python3 name: python3-chardet version: 3.0.4-1 commands: chardet3,chardetect3 name: python3-dbg version: 3.6.5-3 commands: python3-dbg,python3-dbg-config,python3dm,python3dm-config name: python3-dev version: 3.6.5-3 commands: python3-config,python3m-config name: python3-json-pointer version: 1.10-1 commands: jsonpointer,python3-jsonpointer name: python3-jsonpatch version: 1.19+really1.16-1fakesync1 commands: jsondiff,jsonpatch,python3-jsondiff,python3-jsonpatch name: python3-jsonschema version: 2.6.0-2 commands: jsonschema,python3-jsonschema name: python3-jwt version: 1.5.3+ds1-1 commands: pyjwt3 name: python3-keyring version: 10.6.0-1 commands: keyring name: python3-logilab-common version: 1.4.1-1 commands: logilab-pytest3 name: python3-minimal version: 3.6.5-3 commands: py3clean,py3compile,py3versions,python3,python3m name: python3-numpy version: 1:1.13.3-2ubuntu1 commands: dh_numpy3,f2py3,f2py3.6 name: python3-numpy-dbg version: 1:1.13.3-2ubuntu1 commands: f2py3-dbg,f2py3.6-dbg name: python3-pastescript version: 2.0.2-2 commands: paster3 name: python3-pbr version: 3.1.1-3ubuntu3 commands: pbr,python3-pbr name: python3-petname version: 2.2-0ubuntu1 commands: python3-petname name: python3-plainbox version: 0.25-1 commands: plainbox-qml-shell,plainbox-trusted-launcher-1 name: python3-ply version: 3.11-1 commands: dh_python3-ply name: python3-serial version: 3.4-2 commands: miniterm name: python3-speechd version: 0.8.8-1ubuntu1 commands: spd-conf name: python3-testrepository version: 0.0.20-3 commands: testr,testr-python3 name: python3-twisted version: 17.9.0-2 commands: cftp3,ckeygen3,conch3,pyhtmlizer3,tkconch3,trial3,twist3,twistd3 name: python3-unidiff version: 0.5.4-1 commands: python3-unidiff name: python3-unittest2 version: 1.1.0-6.1 commands: python3-unit2,unit2 name: python3-waitress version: 1.0.1-1 commands: waitress-serve,waitress-serve-python3 name: python3.6 version: 3.6.5-3 commands: pdb3.6,pydoc3.6,pygettext3.6 name: python3.6-dbg version: 3.6.5-3 commands: python3.6-dbg,python3.6-dbg-config,python3.6dm,python3.6dm-config name: python3.6-dev version: 3.6.5-3 commands: python3.6-config,python3.6m-config name: python3.6-minimal version: 3.6.5-3 commands: python3.6,python3.6m name: qemu-kvm version: 1:2.11+dfsg-1ubuntu7 commands: kvm name: qemu-system-arm version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-aarch64,qemu-system-arm name: qemu-system-common version: 1:2.11+dfsg-1ubuntu7 commands: virtfs-proxy-helper name: qemu-system-ppc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-ppc,qemu-system-ppc64,qemu-system-ppc64le,qemu-system-ppcemb name: qemu-system-s390x version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-s390x name: qemu-system-x86 version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-i386,qemu-system-x86_64 name: qemu-utils version: 1:2.11+dfsg-1ubuntu7 commands: ivshmem-client,ivshmem-server,qemu-img,qemu-io,qemu-make-debian-root,qemu-nbd name: qpdf version: 8.0.2-3 commands: fix-qdf,qpdf,zlib-flate name: qt5-qmake version: 5.9.5+dfsg-0ubuntu1 commands: s390x-linux-gnu-qmake name: qtchooser version: 64-ga1b6736-5 commands: assistant,designer,lconvert,linguist,lrelease,lupdate,moc,pixeltool,qcollectiongenerator,qdbus,qdbuscpp2xml,qdbusviewer,qdbusxml2cpp,qdoc,qdoc3,qgltf,qhelpconverter,qhelpgenerator,qlalr,qmake,qml,qml1plugindump,qmlbundle,qmlcachegen,qmleasing,qmlimportscanner,qmljs,qmllint,qmlmin,qmlplugindump,qmlprofiler,qmlscene,qmltestrunner,qmlviewer,qtchooser,qtconfig,qtdiag,qtpaths,qtplugininfo,qvkgen,rcc,repc,uic,uic3,xmlpatterns,xmlpatternsvalidator name: quagga-bgpd version: 1.2.4-1 commands: bgpd name: quagga-core version: 1.2.4-1 commands: vtysh,zebra name: quagga-isisd version: 1.2.4-1 commands: isisd name: quagga-ospf6d version: 1.2.4-1 commands: ospf6d name: quagga-ospfd version: 1.2.4-1 commands: ospfclient,ospfd name: quagga-pimd version: 1.2.4-1 commands: pimd name: quagga-ripd version: 1.2.4-1 commands: ripd name: quagga-ripngd version: 1.2.4-1 commands: ripngd name: quota version: 4.04-2 commands: convertquota,edquota,quot,quota,quota_nld,quotacheck,quotaoff,quotaon,quotastats,quotasync,repquota,rpc.rquotad,setquota,warnquota,xqmstats name: rabbitmq-server version: 3.6.10-1 commands: rabbitmq-plugins,rabbitmq-server,rabbitmqadmin,rabbitmqctl name: radosgw version: 12.2.4-0ubuntu1 commands: radosgw,radosgw-es,radosgw-object-expirer,radosgw-token name: radvd version: 1:2.16-3 commands: radvd name: rake version: 12.3.1-1 commands: rake name: raptor2-utils version: 2.0.14-1build1 commands: rapper name: rasqal-utils version: 0.9.32-1build1 commands: roqet name: rax-nova-agent version: 2.1.13-0ubuntu3 commands: nova-agent name: rdate version: 1:1.2-6 commands: rdate name: re2c version: 1.0.1-1 commands: re2c name: recode version: 3.6-23 commands: recode name: redland-utils version: 1.0.17-1.1 commands: rdfproc,redland-db-upgrade name: reiser4progs version: 1.2.0-2 commands: debugfs.reiser4,fsck.reiser4,measurefs.reiser4,mkfs.reiser4,mkreiser4 name: reiserfsprogs version: 1:3.6.27-2 commands: debugreiserfs,fsck.reiserfs,mkfs.reiserfs,mkreiserfs,reiserfsck,reiserfstune,resize_reiserfs name: remmina version: 1.2.0-rcgit.29+dfsg-1ubuntu1 commands: remmina name: resource-agents version: 1:4.1.0~rc1-1ubuntu1 commands: ocf-tester,ocft,rhev-check.sh,sfex_init,sfex_stat name: rfkill version: 2.31.1-0.4ubuntu3 commands: rfkill name: rhythmbox version: 3.4.2-4ubuntu1 commands: rhythmbox,rhythmbox-client name: rpcbind version: 0.2.3-0.6 commands: rpcbind,rpcinfo name: rrdtool version: 1.7.0-1build1 commands: rrdcgi,rrdcreate,rrdinfo,rrdtool,rrdupdate name: rsync version: 3.1.2-2.1ubuntu1 commands: rsync name: rsyslog version: 8.32.0-1ubuntu4 commands: rsyslogd name: rtkit version: 0.11-6 commands: rtkitctl name: ruby version: 1:2.5.1 commands: erb,gem,irb,rdoc,ri,ruby name: ruby2.5 version: 2.5.1-1ubuntu1 commands: erb2.5,gem2.5,irb2.5,rdoc2.5,ri2.5,ruby2.5 name: run-one version: 1.17-0ubuntu1 commands: keep-one-running,run-one,run-one-constantly,run-one-until-failure,run-one-until-success,run-this-one name: s390-tools version: 2.3.0-0ubuntu3 commands: chccwdev,chchp,chcpumf,chiucvallow,chreipl,chshut,chzcrypt,chzdev,cio_ignore,cmsfs-fuse,cpacfstats,cpacfstatsd,dasdfmt,dasdinfo,dasdstat,dasdview,dbginfo.sh,dump2tar,fdasd,hmcdrvfs,hyptop,ip_watcher.pl,iucvconn,iucvtty,lschp,lscpumf,lscss,lsdasd,lshmc,lsiucvallow,lsluns,lsqeth,lsreipl,lsscm,lsshut,lstape,lszcrypt,lszdev,lszfcp,qetharp,qethconf,qethqoat,scsi_logging_level,start_hsnc.sh,tape390_crypt,tape390_display,ts-shell,ttyrun,tunedasd,vmconvert,vmcp,vmur,xcec-bridge,zdsfs,zfcpdbf,zgetdump,ziomon,ziomon_fcpconf,ziomon_mgr,ziomon_util,ziomon_zfcpdd,ziorep_config,ziorep_traffic,ziorep_utilization,zipl,zkey,znetconf name: sa-compile version: 3.4.1-8build1 commands: sa-compile name: samba version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: eventlogadm,mksmbpasswd,mvxattr,nmbd,oLschema2ldif,pdbedit,profiles,samba,samba_dnsupdate,samba_spnupdate,samba_upgradedns,sharesec,smbcontrol,smbd,smbstatus name: samba-common-bin version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: dbwrap_tool,net,nmblookup,samba-regedit,samba-tool,samba_kcc,smbpasswd,testparm name: sane-utils version: 1.0.27-1~experimental3ubuntu2 commands: gamma4scanimage,sane-find-scanner,saned,scanimage,umax_pp name: sasl2-bin version: 2.1.27~101-g0780600+dfsg-3ubuntu2 commands: gen-auth,sasl-sample-client,sasl-sample-server,saslauthd,sasldbconverter2,sasldblistusers2,saslfinger,saslpasswd2,saslpluginviewer,testsaslauthd name: sbc-tools version: 1.3-2 commands: sbcdec,sbcenc,sbcinfo name: sbuild version: 0.75.0-1ubuntu1 commands: sbuild,sbuild-abort,sbuild-adduser,sbuild-apt,sbuild-checkpackages,sbuild-clean,sbuild-createchroot,sbuild-destroychroot,sbuild-distupgrade,sbuild-hold,sbuild-shell,sbuild-unhold,sbuild-update,sbuild-upgrade name: schroot version: 1.6.10-4build1 commands: schroot name: screen version: 4.6.2-1 commands: screen name: seahorse version: 3.20.0-5 commands: seahorse name: seccomp version: 2.3.1-2.1ubuntu4 commands: scmp_sys_resolver name: sed version: 4.4-2 commands: sed name: sensible-utils version: 0.0.12 commands: select-editor,sensible-browser,sensible-editor,sensible-pager name: session-migration version: 0.3.3 commands: session-migration name: setserial version: 2.17-50 commands: setserial name: sg3-utils version: 1.42-2ubuntu1 commands: rescan-scsi-bus.sh,scsi_logging_level,scsi_mandat,scsi_readcap,scsi_ready,scsi_satl,scsi_start,scsi_stop,scsi_temperature,sg_compare_and_write,sg_copy_results,sg_dd,sg_decode_sense,sg_emc_trespass,sg_format,sg_get_config,sg_get_lba_status,sg_ident,sg_inq,sg_logs,sg_luns,sg_map,sg_map26,sg_modes,sg_opcodes,sg_persist,sg_prevent,sg_raw,sg_rbuf,sg_rdac,sg_read,sg_read_attr,sg_read_block_limits,sg_read_buffer,sg_read_long,sg_readcap,sg_reassign,sg_referrals,sg_rep_zones,sg_requests,sg_reset,sg_reset_wp,sg_rmsn,sg_rtpg,sg_safte,sg_sanitize,sg_sat_identify,sg_sat_phy_event,sg_sat_read_gplog,sg_sat_set_features,sg_scan,sg_senddiag,sg_ses,sg_ses_microcode,sg_start,sg_stpg,sg_sync,sg_test_rwbuf,sg_timestamp,sg_turs,sg_unmap,sg_verify,sg_vpd,sg_wr_mode,sg_write_buffer,sg_write_long,sg_write_same,sg_write_verify,sg_xcopy,sg_zone,sginfo,sgm_dd,sgp_dd name: sgml-base version: 1.29 commands: install-sgmlcatalog,update-catalog name: shared-mime-info version: 1.9-2 commands: update-mime-database name: sharutils version: 1:4.15.2-3 commands: shar,unshar,uudecode,uuencode name: shotwell version: 0.28.2-0ubuntu1 commands: shotwell name: shtool version: 2.0.8-9 commands: shtool,shtoolize name: siege version: 4.0.4-1build1 commands: bombardment,siege,siege.config,siege2csv name: simple-scan version: 3.28.0-0ubuntu1 commands: simple-scan name: slapd version: 2.4.45+dfsg-1ubuntu1 commands: slapacl,slapadd,slapauth,slapcat,slapd,slapdn,slapindex,slappasswd,slapschema,slaptest name: smartmontools version: 6.5+svn4324-1 commands: smartctl,smartd name: smbclient version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: cifsdd,findsmb,rpcclient,smbcacls,smbclient,smbcquotas,smbget,smbspool,smbtar,smbtree name: smitools version: 0.4.8+dfsg2-15 commands: smicache,smidiff,smidump,smilint,smiquery,smixlate name: snapd version: 2.32.5+18.04 commands: snap,snapctl,snapfuse,ubuntu-core-launcher name: snmp version: 5.7.3+dfsg-1.8ubuntu3 commands: encode_keychange,fixproc,snmp-bridge-mib,snmpbulkget,snmpbulkwalk,snmpcheck,snmpconf,snmpdelta,snmpdf,snmpget,snmpgetnext,snmpinform,snmpnetstat,snmpset,snmpstatus,snmptable,snmptest,snmptranslate,snmptrap,snmpusm,snmpvacm,snmpwalk name: snmpd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmpd name: socat version: 1.7.3.2-2ubuntu2 commands: filan,procan,socat name: software-properties-common version: 0.96.24.32.1 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.1 commands: software-properties-gtk name: sosreport version: 3.5-1ubuntu3 commands: sosreport name: spamassassin version: 3.4.1-8build1 commands: sa-awl,sa-check_spamd,sa-learn,sa-update,spamassassin,spamd name: spamc version: 3.4.1-8build1 commands: spamc name: speech-dispatcher version: 0.8.8-1ubuntu1 commands: spd-say,speech-dispatcher name: sphinx-common version: 1.6.7-1ubuntu1 commands: dh_sphinxdoc name: spice-vdagent version: 0.17.0-1ubuntu2 commands: spice-vdagent,spice-vdagentd name: sqlite3 version: 3.22.0-1 commands: sqldiff,sqlite3 name: squashfs-tools version: 1:4.3-6 commands: mksquashfs,unsquashfs name: squid version: 3.5.27-1ubuntu1 commands: squid,squid3 name: ss-dev version: 2.0-1.44.1-1 commands: mk_cmds name: ssh-import-id version: 5.7-0ubuntu1 commands: ssh-import-id,ssh-import-id-gh,ssh-import-id-lp name: ssl-cert version: 1.0.39 commands: make-ssl-cert name: sssd-common version: 1.16.1-1ubuntu1 commands: sss_ssh_authorizedkeys,sss_ssh_knownhostsproxy,sssd name: sssd-tools version: 1.16.1-1ubuntu1 commands: sss_cache,sss_debuglevel,sss_groupadd,sss_groupdel,sss_groupmod,sss_groupshow,sss_obfuscate,sss_override,sss_seed,sss_useradd,sss_userdel,sss_usermod,sssctl name: strace version: 4.21-1ubuntu1 commands: strace,strace-log-merge name: strongswan-starter version: 5.6.2-1ubuntu2 commands: ipsec name: sudo version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: swift-account version: 2.17.0-0ubuntu1 commands: swift-account-audit,swift-account-auditor,swift-account-info,swift-account-reaper,swift-account-replicator,swift-account-server name: swift-container version: 2.17.0-0ubuntu1 commands: swift-container-auditor,swift-container-info,swift-container-reconciler,swift-container-replicator,swift-container-server,swift-container-sync,swift-container-updater,swift-reconciler-enqueue name: swift-object version: 2.17.0-0ubuntu1 commands: swift-object-auditor,swift-object-info,swift-object-reconstructor,swift-object-relinker,swift-object-replicator,swift-object-server,swift-object-updater name: swift-proxy version: 2.17.0-0ubuntu1 commands: swift-proxy-server name: sysconfig-hardware version: 0.0.13ubuntu4 commands: hwdown,hwup name: sysstat version: 11.6.1-1 commands: cifsiostat,iostat,mpstat,pidstat,sadf,sar,sar.sysstat,tapestat name: system-config-printer version: 1.5.11-1ubuntu2 commands: install-printerdriver,system-config-printer,system-config-printer-applet name: system-config-printer-common version: 1.5.11-1ubuntu2 commands: scp-dbus-service name: systemd version: 237-3ubuntu10 commands: bootctl,busctl,hostnamectl,journalctl,kernel-install,localectl,loginctl,networkctl,systemctl,systemd,systemd-analyze,systemd-ask-password,systemd-cat,systemd-cgls,systemd-cgtop,systemd-delta,systemd-detect-virt,systemd-escape,systemd-inhibit,systemd-machine-id-setup,systemd-mount,systemd-notify,systemd-path,systemd-resolve,systemd-run,systemd-socket-activate,systemd-stdio-bridge,systemd-sysusers,systemd-tmpfiles,systemd-tty-ask-password-agent,systemd-umount,timedatectl name: systemd-sysv version: 237-3ubuntu10 commands: halt,init,poweroff,reboot,runlevel,shutdown,telinit name: sysvinit-utils version: 2.88dsf-59.10ubuntu1 commands: fstab-decode,killall5,pidof name: t1utils version: 1.41-2 commands: t1ascii,t1asm,t1binary,t1disasm,t1mac,t1unmac name: tar version: 1.29b-2 commands: rmt,rmt-tar,tar,tarcat name: tasksel version: 3.34ubuntu11 commands: tasksel name: tcl8.6 version: 8.6.8+dfsg-3 commands: tclsh8.6 name: tcpdump version: 4.9.2-3 commands: tcpdump name: tdb-tools version: 1.3.15-2 commands: tdbbackup,tdbbackup.tdbtools,tdbdump,tdbrestore,tdbtool name: telnet version: 0.17-41 commands: telnet,telnet.netkit name: tex-common version: 6.09 commands: dh_installtex,update-fmtutil,update-language,update-language-dat,update-language-def,update-language-lua,update-texmf,update-texmf-config,update-tl-stacked-conffile,update-updmap name: texlive-base version: 2017.20180305-1 commands: allcm,allec,allneeded,dvi2fax,dviluatex,dvired,fmtutil,fmtutil-sys,fmtutil-user,kpsepath,kpsetool,kpsewhere,kpsexpand,mktexfmt,simpdftex,texdoc,texdoctk,tl-paper,tlmgr,updmap,updmap-sys,updmap-user name: texlive-binaries version: 2017.20170613.44572-8build1 commands: afm2pl,afm2tfm,aleph,autosp,bibtex,bibtex.original,bibtex8,bibtexu,ctangle,ctie,cweave,detex,devnag,disdvi,dt2dv,dv2dt,dvi2tty,dvibook,dviconcat,dvicopy,dvihp,dvilj,dvilj2p,dvilj4,dvilj4l,dvilj6,dvipdfm,dvipdfmx,dvipdft,dvipos,dvips,dviselect,dvisvgm,dvitodvi,dvitomp,dvitype,ebb,eptex,etex,euptex,extractbb,gftodvi,gftopk,gftype,gregorio,gsftopk,inimf,initex,kpseaccess,kpsereadlink,kpsestat,kpsewhich,luatex,mag,makeindex,makejvf,mendex,mf,mf-nowin,mflua,mflua-nowin,mfplain,mft,mkindex,mkocp,mkofm,mktexlsr,mktexmf,mktexpk,mktextfm,mpost,msxlint,odvicopy,odvitype,ofm2opl,omfonts,opl2ofm,otangle,otp2ocp,outocp,ovf2ovp,ovp2ovf,patgen,pbibtex,pdfclose,pdfetex,pdfopen,pdftex,pdftosrc,pdvitomp,pdvitype,pfb2pfa,pk2bm,pktogf,pktype,pltotf,pmpost,pmxab,pooltype,ppltotf,prepmx,ps2pk,ptex,ptftopl,scor2prt,synctex,t4ht,tangle,teckit_compile,tex,tex4ht,texhash,texlua,texluac,tftopl,tie,tpic2pdftex,ttf2afm,ttf2pk,ttf2tfm,ttfdump,upbibtex,updvitomp,updvitype,upmendex,upmpost,uppltotf,uptex,uptftopl,vftovp,vlna,vptovf,weave,wofm2opl,wopl2ofm,wovf2ovp,wovp2ovf,xdvi,xdvi-xaw,xdvi.bin,xdvipdfmx,xetex name: texlive-latex-base version: 2017.20180305-1 commands: dvilualatex,latex,lualatex,mptopdf,pdfatfi,pdflatex name: texlive-latex-recommended version: 2017.20180305-1 commands: lwarpmk,thumbpdf name: tftp-hpa version: 5.2+20150808-1ubuntu3 commands: tftp name: tftpd-hpa version: 5.2+20150808-1ubuntu3 commands: in.tftpd name: tgt version: 1:1.0.72-1ubuntu1 commands: tgt-admin,tgt-setup-lun,tgtadm,tgtd,tgtimg name: time version: 1.7-25.1build1 commands: time name: tinycdb version: 0.78build1 commands: cdb name: tk8.6 version: 8.6.8-4 commands: wish8.6 name: tmispell-voikko version: 0.7.1-4build1 commands: ispell,tmispell name: tmux version: 2.6-3 commands: tmux name: totem version: 3.26.0-0ubuntu6 commands: totem,totem-video-thumbnailer name: transmission-gtk version: 2.92-3ubuntu2 commands: transmission-gtk name: tzdata version: 2018d-1 commands: tzconfig name: u-boot-tools version: 2016.03+dfsg1-6ubuntu2 commands: dumpimage,fw_printenv,fw_setenv,kwboot,mkenvimage,mkimage,mkknlimg,mksunxiboot name: ubiquity version: 18.04.14 commands: autopartition,autopartition-crypto,autopartition-loop,autopartition-lvm,block-attr,blockdev-keygen,blockdev-wipe,check-missing-firmware,debconf-get,debconf-set,fetch-url,get_mountoptions,hw-detect,in-target,list-devices,log-output,mapdevfs,parted_devices,parted_server,partman,partman-command,partman-commit,partmap,perform_recipe,perform_recipe_by_lvm,preseed_command,register-module,search-path,select_mountoptions,select_mountpoint,set-date-epoch,sysfs-update-devnames,ubiquity,ubiquity-bluetooth-agent,ubiquity-dm,update-dev,user-params name: ubiquity-casper version: 1.394 commands: casper-reconfigure name: ubuntu-advantage-tools version: 17 commands: ua,ubuntu-advantage name: ubuntu-core-config version: 0.6.40 commands: snappy-apparmor-lp1460152 name: ubuntu-drivers-common version: 1:0.5.2 commands: nvidia-detector,quirks-handler,ubuntu-drivers name: ubuntu-fan version: 0.12.10 commands: fanatic,fanctl name: ubuntu-image version: 1.3+18.04ubuntu2 commands: ubuntu-image name: ubuntu-release-upgrader-core version: 1:18.04.17 commands: do-release-upgrade name: ubuntu-report version: 1.0.11 commands: ubuntu-report name: ubuntu-software version: 3.28.1-0ubuntu4 commands: ubuntu-software name: ucf version: 3.0038 commands: lcf,ucf,ucfq,ucfr name: ucpp version: 1.3.2-2 commands: ucpp name: udev version: 237-3ubuntu10 commands: systemd-hwdb,udevadm name: udisks2 version: 2.7.6-3 commands: udisksctl,umount.udisks2 name: ufw version: 0.35-5 commands: ufw name: uidmap version: 1:4.5-1ubuntu1 commands: newgidmap,newuidmap name: unattended-upgrades version: 1.1ubuntu1 commands: unattended-upgrade,unattended-upgrades name: unzip version: 6.0-21ubuntu1 commands: funzip,unzip,unzipsfx,zipgrep,zipinfo name: update-inetd version: 4.44 commands: update-inetd name: update-manager version: 1:18.04.11 commands: update-manager name: update-manager-core version: 1:18.04.11 commands: hwe-support-status,ubuntu-support-status name: update-motd version: 3.6-0ubuntu1 commands: update-motd name: update-notifier version: 3.192 commands: update-notifier name: upower version: 0.99.7-2 commands: upower name: ureadahead version: 0.100.0-20 commands: ureadahead name: usb-modeswitch version: 2.5.2+repack0-2ubuntu1 commands: usb_modeswitch,usb_modeswitch_dispatcher name: usbmuxd version: 1.1.0-2build1 commands: usbmuxd name: usbutils version: 1:007-4build1 commands: lsusb,update-usbids,usb-devices,usbhid-dump name: user-setup version: 1.63ubuntu5 commands: user-setup name: util-linux version: 2.31.1-0.4ubuntu3 commands: addpart,agetty,blkdiscard,blkid,blockdev,chcpu,chmem,chrt,ctrlaltdel,delpart,dmesg,fallocate,fdformat,findfs,findmnt,flock,fsck,fsck.cramfs,fsck.minix,fsfreeze,fstrim,getopt,getty,hwclock,ionice,ipcmk,ipcrm,ipcs,isosize,last,lastb,ldattach,linux32,linux64,lsblk,lscpu,lsipc,lslocks,lslogins,lsmem,lsns,mcookie,mesg,mkfs,mkfs.bfs,mkfs.cramfs,mkfs.minix,mkswap,more,mountpoint,namei,nsenter,pager,partx,pivot_root,prlimit,raw,readprofile,rename.ul,resizepart,rev,rtcwake,runuser,s390,s390x,setarch,setsid,setterm,sulogin,swaplabel,switch_root,taskset,unshare,utmpdump,wdctl,whereis,wipefs,zramctl name: uuid-runtime version: 2.31.1-0.4ubuntu3 commands: uuidd,uuidgen,uuidparse name: valgrind version: 1:3.13.0-2ubuntu2 commands: callgrind_annotate,callgrind_control,cg_annotate,cg_diff,cg_merge,ms_print,valgrind,valgrind-di-server,valgrind-listener,valgrind.bin,vgdb name: vim version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.basic,vimdiff name: vim-common version: 2:8.0.1453-1ubuntu1 commands: helpztags name: vim-gtk3 version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk3,vimdiff name: vim-gui-common version: 2:8.0.1453-1ubuntu1 commands: gvimtutor name: vim-runtime version: 2:8.0.1453-1ubuntu1 commands: vimtutor name: vim-tiny version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.tiny,vimdiff name: vlan version: 1.9-3.2ubuntu5 commands: vconfig name: vsftpd version: 3.0.3-9build1 commands: vsftpd,vsftpdwho name: w3m version: 0.5.3-36build1 commands: pager,w3m,w3mman,www-browser name: wakeonlan version: 0.41-11 commands: wakeonlan name: wdiff version: 1.2.2-2 commands: wdiff name: wget version: 1.19.4-1ubuntu2 commands: wget name: whiptail version: 0.52.20-1ubuntu1 commands: whiptail name: whois version: 5.3.0 commands: mkpasswd,whois name: whoopsie version: 0.2.62 commands: whoopsie name: whoopsie-preferences version: 0.19 commands: whoopsie-preferences name: winbind version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ntlm_auth,wbinfo,winbindd name: winpr-utils version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: winpr-hash,winpr-makecert name: wireless-tools version: 30~pre9-12ubuntu1 commands: iwconfig,iwevent,iwgetid,iwlist,iwpriv,iwspy name: wpasupplicant version: 2:2.6-15ubuntu2 commands: wpa_action,wpa_cli,wpa_passphrase,wpa_supplicant name: x11-apps version: 7.7+6ubuntu1 commands: atobm,bitmap,bmtoa,ico,oclock,rendercheck,transset,x11perf,x11perfcomp,xbiff,xcalc,xclipboard,xclock,xconsole,xcursorgen,xcutsel,xditview,xedit,xeyes,xgc,xload,xlogo,xmag,xman,xmore,xwd,xwud name: x11-common version: 1:7.7+19ubuntu7 commands: X11 name: x11-session-utils version: 7.7+2build1 commands: rstart,rstartd,smproxy,xsm name: x11-utils version: 7.7+3build1 commands: appres,editres,listres,luit,viewres,xdpyinfo,xdriinfo,xev,xfd,xfontsel,xkill,xlsatoms,xlsclients,xlsfonts,xmessage,xprop,xvinfo,xwininfo name: x11-xkb-utils version: 7.7+3 commands: setxkbmap,xkbbell,xkbcomp,xkbevd,xkbprint,xkbvleds,xkbwatch name: x11-xserver-utils version: 7.7+7build1 commands: iceauth,sessreg,showrgb,xcmsdb,xgamma,xhost,xkeystone,xmodmap,xrandr,xrdb,xrefresh,xset,xsetmode,xsetpointer,xsetroot,xstdcmap,xvidtune name: xauth version: 1:1.0.10-1 commands: xauth name: xbrlapi version: 5.5-4ubuntu2 commands: xbrlapi name: xclip version: 0.12+svn84-4build1 commands: xclip,xclip-copyfile,xclip-cutfile,xclip-pastefile name: xdelta3 version: 3.0.11-dfsg-1ubuntu1 commands: xdelta3 name: xdg-user-dirs version: 0.17-1ubuntu1 commands: xdg-user-dir,xdg-user-dirs-update name: xdg-user-dirs-gtk version: 0.10-2 commands: xdg-user-dirs-gtk-update name: xdg-utils version: 1.1.2-1ubuntu2 commands: browse,xdg-desktop-icon,xdg-desktop-menu,xdg-email,xdg-icon-resource,xdg-mime,xdg-open,xdg-screensaver,xdg-settings name: xe-guest-utilities version: 7.10.0-0ubuntu1 commands: xe-daemon,xe-linux-distribution name: xfonts-utils version: 1:7.7+6 commands: bdftopcf,bdftruncate,fonttosfnt,mkfontdir,mkfontscale,ucs2any,update-fonts-alias,update-fonts-dir,update-fonts-scale name: xfsdump version: 3.1.6+nmu2 commands: xfsdump,xfsinvutil,xfsrestore name: xfsprogs version: 4.9.0+nmu1ubuntu2 commands: fsck.xfs,mkfs.xfs,xfs_admin,xfs_bmap,xfs_copy,xfs_db,xfs_estimate,xfs_freeze,xfs_fsr,xfs_growfs,xfs_info,xfs_io,xfs_logprint,xfs_mdrestore,xfs_metadump,xfs_mkfile,xfs_ncheck,xfs_quota,xfs_repair,xfs_rtcp name: xinit version: 1.3.4-3ubuntu3 commands: startx,xinit name: xinput version: 1.6.2-1build1 commands: xinput name: xml-core version: 0.18 commands: dh_installxmlcatalogs,update-xmlcatalog name: xmlsec1 version: 1.2.25-1build1 commands: xmlsec1 name: xserver-xephyr version: 2:1.19.6-1ubuntu4 commands: Xephyr name: xserver-xorg-core version: 2:1.19.6-1ubuntu4 commands: X,Xorg,cvt,gtf name: xserver-xorg-dev version: 2:1.19.6-1ubuntu4 commands: dh_xsf_substvars name: xserver-xorg-input-wacom version: 1:0.36.1-0ubuntu1 commands: isdv4-serial-debugger,isdv4-serial-inputattach,xsetwacom name: xsltproc version: 1.1.29-5 commands: xsltproc name: xwayland version: 2:1.19.6-1ubuntu4 commands: Xwayland name: xxd version: 2:8.0.1453-1ubuntu1 commands: xxd name: xz-utils version: 5.2.2-1.3 commands: lzma,lzmainfo,unxz,xz,xzcat,xzcmp,xzdiff,xzegrep,xzfgrep,xzgrep,xzless,xzmore name: yelp version: 3.26.0-1ubuntu2 commands: gnome-help,yelp name: zeitgeist-core version: 1.0-0.1ubuntu1 commands: zeitgeist-daemon name: zenity version: 3.28.1-1 commands: gdialog,zenity name: zerofree version: 1.0.4-1 commands: zerofree name: zfs-zed version: 0.7.5-1ubuntu15 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu15 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest name: zip version: 3.0-11build1 commands: zip,zipcloak,zipnote,zipsplit name: zsh version: 5.4.2-3ubuntu3 commands: rzsh,zsh,zsh5 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/0000775000000000000000000000000014202510314022307 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/0000775000000000000000000000000014202510314023055 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-amd640000664000000000000000000006722614202510314025467 0ustar suite: bionic component: multiverse arch: amd64 name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: arb version: 6.0.6-3 commands: arb,arb-kill name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: basilisk2 version: 0.9.20120331-4.2 commands: BasiliskII,BasiliskII-jit,BasiliskII-nojit name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: brother-lpr-drivers-ac version: 1.0.3-1-0ubuntu4 commands: brprintconf_ac,brprintconf_dcp9040cn,brprintconf_dcp9042cdn,brprintconf_dcp9045cdn,brprintconf_hl4040cdn,brprintconf_hl4040cn,brprintconf_hl4050cdn,brprintconf_hl4070cdw,brprintconf_mfc9440cn,brprintconf_mfc9450cdn,brprintconf_mfc9840cdw name: brother-lpr-drivers-bh7 version: 1.0.1-1-0ubuntu6 commands: brprintconf_bh7,brprintconf_dcp130c,brprintconf_dcp330c,brprintconf_dcp540cn,brprintconf_dcp750cw,brprintconf_fax1860c,brprintconf_fax1960c,brprintconf_fax2480c,brprintconf_fax2580c,brprintconf_mfc240c,brprintconf_mfc3360c,brprintconf_mfc440cn,brprintconf_mfc5460cn,brprintconf_mfc5860cn,brprintconf_mfc660cn,brprintconf_mfc665cw,brprintconf_mfc845cw name: brother-lpr-drivers-extra version: 1.2.0-2-0ubuntu5 commands: brprintconf_dcp135c,brprintconf_dcp150c,brprintconf_dcp153c,brprintconf_dcp350c,brprintconf_dcp353c,brprintconf_dcp560cn,brprintconf_dcp770cw,brprintconf_extra,brprintconf_mfc230c,brprintconf_mfc235c,brprintconf_mfc260c,brprintconf_mfc465cn,brprintconf_mfc680cn,brprintconf_mfc685cw,brprintconf_mfc885cw,brprintconfij,brprintconfij2 name: brother-lpr-drivers-laser version: 2.0.1-3-0ubuntu5 commands: brprintconfiglpr2,brprintconflsr2 name: brother-lpr-drivers-laser1 version: 1.0.0-3-0ubuntu6 commands: brprintconf name: brother-lpr-drivers-mfc9420cn version: 1.0.0-3-0ubuntu4 commands: brprintconfcl1 name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: caffe-tools-cuda version: 1.0.0-6build1 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caja-dropbox version: 1.20.0-2 commands: caja-dropbox name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cuneiform version: 1.1.0+dfsg-7 commands: cuneiform name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: distributed-net version: 2.9112.521-1 commands: dnetc name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dosemu version: 1.4.0.7+20130105+b028d3f-2build1 commands: dosdebug,dosemu,dosemu.bin,midid,mkfatimage16,xdosemu name: dptfxtract version: 1.2-0ubuntu2 commands: dptfxtract,dptfxtract-helper name: drdsl version: 1.2.0-3 commands: drdsl name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dwarf-fortress version: 0.44.09-1 commands: dwarf-fortress name: dynagen version: 0.11.0-7 commands: dynagen name: dynamips version: 0.2.14-1build1 commands: dynamips,nvram_export name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2 version: 3.7.2+repack-1build1 commands: fs2_open,fs2_open_3.7.2,fs2_open_3.7.2_DEBUG,fs2_open_DEBUG name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gmap version: 2017-11-15-1 commands: gmap,gmap.nosimd,gmap.sse42,gmap_build,gmapl,gmapl.nosimd,gmapl.sse42,gsnap,gsnap.nosimd,gsnap.sse42,gsnapl,gsnapl.nosimd,gsnapl.sse42 name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: isight-firmware-tools version: 1.6-2build1 commands: ift-export,ift-extract name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-mpegindex,ivtv-radio,ivtv-tune,ivtvfwextract,ivtvplay,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: mbrola version: 3.01h+2-3 commands: mbrola name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: nautilus-dropbox version: 2015.10.28-1ubuntu2 commands: dropbox name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvidia-cg-toolkit version: 3.1.0013-3 commands: cgc,cgfxcat,cginfo name: nvidia-cuda-gdb version: 9.1.85-3ubuntu1 commands: cuda-gdb,cuda-gdbserver name: nvidia-cuda-toolkit version: 9.1.85-3ubuntu1 commands: bin2c,cuda-memcheck,cudafe,cudafe++,cuobjdump,fatbinary,gpu-library-advisor,nvcc,nvdisasm,nvlink,nvprune,ptxas name: nvidia-modprobe version: 384.111-2 commands: nvidia-modprobe name: nvidia-nsight version: 9.1.85-3ubuntu1 commands: nsight name: nvidia-profiler version: 9.1.85-3ubuntu1 commands: nvprof name: nvidia-visual-profiler version: 9.1.85-3ubuntu1 commands: nvvp name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: openmw version: 0.43.0-3.1~build1 commands: openmw,openmw-essimporter name: openmw-cs version: 0.43.0-3.1~build1 commands: openmw-cs name: openmw-launcher version: 0.43.0-3.1~build1 commands: openmw-iniimporter,openmw-launcher,openmw-wizard name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pepperflashplugin-nonfree version: 1.8.3+nmu1ubuntu1 commands: update-pepperflashplugin-nonfree name: pgcharts version: 1.0-2 commands: pgcharts name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: primesense-nite-nonfree version: 0.1.1 commands: update-primesense-nite-nonfree name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: raccoon version: 1.0b-3 commands: raccoon name: rar version: 2:5.5.0-1 commands: rar name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: starpu-contrib-tools version: 1.2.3+dfsg-5build1 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: virtualbox version: 5.2.10-dfsg-6 commands: VBoxBalloonCtrl,VBoxHeadless,VBoxManage,VBoxSDL,vbox-img,vboxballoonctrl,vboxheadless,vboxmanage,vboxsdl,vboxwebsrv name: virtualbox-guest-utils version: 5.2.10-dfsg-6 commands: VBoxControl,VBoxService,mount.vboxsf name: virtualbox-guest-utils-hwe version: 5.2.10-dfsg-6ubuntu18.04.1 commands: VBoxControl,VBoxService,mount.vboxsf name: virtualbox-guest-x11 version: 5.2.10-dfsg-6 commands: VBoxClient name: virtualbox-guest-x11-hwe version: 5.2.10-dfsg-6ubuntu18.04.1 commands: VBoxClient name: virtualbox-qt version: 5.2.10-dfsg-6 commands: VirtualBox,virtualbox name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-arm640000664000000000000000000005622514202510314025502 0ustar suite: bionic component: multiverse arch: arm64 name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: basilisk2 version: 0.9.20120331-4.2 commands: BasiliskII,BasiliskII-nojit name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cuneiform version: 1.1.0+dfsg-7 commands: cuneiform name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dynagen version: 0.11.0-7 commands: dynagen name: dynamips version: 0.2.14-1build1 commands: dynamips,nvram_export name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gmap version: 2017-11-15-1 commands: gmap,gmap.nosimd,gmap_build,gmapl,gmapl.nosimd,gsnap,gsnap.nosimd,gsnapl,gsnapl.nosimd name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-radio,ivtv-tune,ivtvfwextract,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pgcharts version: 1.0-2 commands: pgcharts name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: raccoon version: 1.0b-3 commands: raccoon name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-armhf0000664000000000000000000005641314202510314025645 0ustar suite: bionic component: multiverse arch: armhf name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: basilisk2 version: 0.9.20120331-4.2 commands: BasiliskII,BasiliskII-nojit name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cuneiform version: 1.1.0+dfsg-7 commands: cuneiform name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dynagen version: 0.11.0-7 commands: dynagen name: dynamips version: 0.2.14-1build1 commands: dynamips,nvram_export name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gmap version: 2017-11-15-1 commands: gmap,gmap.nosimd,gmap_build,gmapl,gmapl.nosimd,gsnap,gsnap.nosimd,gsnapl,gsnapl.nosimd name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-radio,ivtv-tune,ivtvfwextract,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: mbrola version: 3.01h+2-3 commands: mbrola name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvidia-modprobe version: 384.111-2 commands: nvidia-modprobe name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pgcharts version: 1.0-2 commands: pgcharts name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: raccoon version: 1.0b-3 commands: raccoon name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-i3860000664000000000000000000006557714202510314025254 0ustar suite: bionic component: multiverse arch: i386 name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: arb version: 6.0.6-3 commands: arb,arb-kill name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: basilisk2 version: 0.9.20120331-4.2 commands: BasiliskII,BasiliskII-jit,BasiliskII-nojit name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: brother-lpr-drivers-ac version: 1.0.3-1-0ubuntu4 commands: brprintconf_ac,brprintconf_dcp9040cn,brprintconf_dcp9042cdn,brprintconf_dcp9045cdn,brprintconf_hl4040cdn,brprintconf_hl4040cn,brprintconf_hl4050cdn,brprintconf_hl4070cdw,brprintconf_mfc9440cn,brprintconf_mfc9450cdn,brprintconf_mfc9840cdw name: brother-lpr-drivers-bh7 version: 1.0.1-1-0ubuntu6 commands: brprintconf_bh7,brprintconf_dcp130c,brprintconf_dcp330c,brprintconf_dcp540cn,brprintconf_dcp750cw,brprintconf_fax1860c,brprintconf_fax1960c,brprintconf_fax2480c,brprintconf_fax2580c,brprintconf_mfc240c,brprintconf_mfc3360c,brprintconf_mfc440cn,brprintconf_mfc5460cn,brprintconf_mfc5860cn,brprintconf_mfc660cn,brprintconf_mfc665cw,brprintconf_mfc845cw name: brother-lpr-drivers-extra version: 1.2.0-2-0ubuntu5 commands: brprintconf_dcp135c,brprintconf_dcp150c,brprintconf_dcp153c,brprintconf_dcp350c,brprintconf_dcp353c,brprintconf_dcp560cn,brprintconf_dcp770cw,brprintconf_extra,brprintconf_mfc230c,brprintconf_mfc235c,brprintconf_mfc260c,brprintconf_mfc465cn,brprintconf_mfc680cn,brprintconf_mfc685cw,brprintconf_mfc885cw,brprintconfij,brprintconfij2 name: brother-lpr-drivers-laser version: 2.0.1-3-0ubuntu5 commands: brprintconfiglpr2,brprintconflsr2 name: brother-lpr-drivers-laser1 version: 1.0.0-3-0ubuntu6 commands: brprintconf name: brother-lpr-drivers-mfc9420cn version: 1.0.0-3-0ubuntu4 commands: brprintconfcl1 name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: caja-dropbox version: 1.20.0-2 commands: caja-dropbox name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cuneiform version: 1.1.0+dfsg-7 commands: cuneiform name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dgen version: 1.23-12 commands: dgen,dgen_tobin name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: distributed-net version: 2.9112.521-1 commands: dnetc name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dosemu version: 1.4.0.7+20130105+b028d3f-2build1 commands: dosdebug,dosemu,dosemu.bin,midid,mkfatimage16,xdosemu name: drdsl version: 1.2.0-3 commands: drdsl name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dwarf-fortress version: 0.44.09-1 commands: dwarf-fortress name: dynagen version: 0.11.0-7 commands: dynagen name: dynamips version: 0.2.14-1build1 commands: dynamips,nvram_export name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: etqw version: 58 commands: etqw name: etqw-server version: 58 commands: etqw-dedicated name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2 version: 3.7.2+repack-1build1 commands: fs2_open,fs2_open_3.7.2,fs2_open_3.7.2_DEBUG,fs2_open_DEBUG name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gmap version: 2017-11-15-1 commands: gmap,gmap.nosimd,gmap_build,gmapl,gmapl.nosimd,gsnap,gsnap.nosimd,gsnapl,gsnapl.nosimd name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: gogo version: 2.39b-7 commands: gogo,gogo.i386,gogo.i686,gogo.k6 name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: isight-firmware-tools version: 1.6-2build1 commands: ift-export,ift-extract name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-mpegindex,ivtv-radio,ivtv-tune,ivtvfwextract,ivtvplay,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: martian-modem version: 20080625-2 commands: martian_modem name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: mbrola version: 3.01h+2-3 commands: mbrola name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: nautilus-dropbox version: 2015.10.28-1ubuntu2 commands: dropbox name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvidia-cg-toolkit version: 3.1.0013-3 commands: cgc,cgfxcat,cginfo name: nvidia-modprobe version: 384.111-2 commands: nvidia-modprobe name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: openmw version: 0.43.0-3.1~build1 commands: openmw,openmw-essimporter name: openmw-cs version: 0.43.0-3.1~build1 commands: openmw-cs name: openmw-launcher version: 0.43.0-3.1~build1 commands: openmw-iniimporter,openmw-launcher,openmw-wizard name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pgcharts version: 1.0-2 commands: pgcharts name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: primesense-nite-nonfree version: 0.1.1 commands: update-primesense-nite-nonfree name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: quake4 version: 58 commands: quake4 name: quake4-server version: 58 commands: quake4-dedicated name: raccoon version: 1.0b-3 commands: raccoon name: rar version: 2:5.5.0-1 commands: rar name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: steam version: 1:1.0.0.54+repack-5ubuntu1 commands: steam name: steamcmd version: 0~20130205-1 commands: steamcmd name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: virtualbox version: 5.2.10-dfsg-6 commands: VBoxBalloonCtrl,VBoxHeadless,VBoxManage,VBoxSDL,vbox-img,vboxballoonctrl,vboxheadless,vboxmanage,vboxsdl,vboxwebsrv name: virtualbox-guest-utils version: 5.2.10-dfsg-6 commands: VBoxControl,VBoxService,mount.vboxsf name: virtualbox-guest-utils-hwe version: 5.2.10-dfsg-6ubuntu18.04.1 commands: VBoxControl,VBoxService,mount.vboxsf name: virtualbox-guest-x11 version: 5.2.10-dfsg-6 commands: VBoxClient name: virtualbox-guest-x11-hwe version: 5.2.10-dfsg-6ubuntu18.04.1 commands: VBoxClient name: virtualbox-qt version: 5.2.10-dfsg-6 commands: VirtualBox,virtualbox name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-ppc64el0000664000000000000000000006052014202510314026017 0ustar suite: bionic component: multiverse arch: ppc64el name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: basilisk2 version: 0.9.20120331-4.2 commands: BasiliskII,BasiliskII-nojit name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: caffe-tools-cuda version: 1.0.0-6build1 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dynagen version: 0.11.0-7 commands: dynagen name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gmap version: 2017-11-15-1 commands: gmap,gmap.nosimd,gmap_build,gmapl,gmapl.nosimd,gsnap,gsnap.nosimd,gsnapl,gsnapl.nosimd name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-radio,ivtv-tune,ivtvfwextract,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvidia-cuda-gdb version: 9.1.85-3ubuntu1 commands: cuda-gdb,cuda-gdbserver name: nvidia-cuda-toolkit version: 9.1.85-3ubuntu1 commands: bin2c,cuda-memcheck,cudafe,cudafe++,cuobjdump,fatbinary,gpu-library-advisor,nvcc,nvdisasm,nvlink,nvprune,ptxas name: nvidia-modprobe version: 384.111-2 commands: nvidia-modprobe name: nvidia-nsight version: 9.1.85-3ubuntu1 commands: nsight name: nvidia-profiler version: 9.1.85-3ubuntu1 commands: nvprof name: nvidia-visual-profiler version: 9.1.85-3ubuntu1 commands: nvvp name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: openmw version: 0.43.0-3.1~build1 commands: openmw,openmw-essimporter name: openmw-cs version: 0.43.0-3.1~build1 commands: openmw-cs name: openmw-launcher version: 0.43.0-3.1~build1 commands: openmw-iniimporter,openmw-launcher,openmw-wizard name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: raccoon version: 1.0b-3 commands: raccoon name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: starpu-contrib-tools version: 1.2.3+dfsg-5build1 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/multiverse/cnf/Commands-s390x0000664000000000000000000005600614202510314025434 0ustar suite: bionic component: multiverse arch: s390x name: aac-enc version: 0.1.5-1 commands: aac-enc name: abyss version: 2.0.2-3 commands: DistanceEst,abyss-fixmate,abyss-pe name: acccheck version: 0.2.1-3 commands: acccheck name: afio version: 2.5.1.20160103+gitc8e4317-1 commands: afio name: agrep version: 4.17-9 commands: agrep name: album version: 4.15-1 commands: album name: alien-arena version: 7.66+dfsg-4 commands: alien-arena name: alien-arena-server version: 7.66+dfsg-4 commands: alien-arena-server name: alsa-firmware-loaders version: 1.1.3-1 commands: cspctl,hdsploader,mixartloader,pcxhrloader,sscape_ctl,usx2yloader,vxloader name: amiwm version: 0.21pl2-1 commands: amiwm,ppmtoinfo,requestchoice,x-window-manager name: amoeba version: 1.1-29.1ubuntu1 commands: amoeba name: assaultcube version: 1.2.0.2+dfsg1-0ubuntu4 commands: assaultcube,assaultcube-server name: astromenace version: 1.3.2+repack-5 commands: AstroMenace name: atari800 version: 3.1.0-2build2 commands: atari800 name: atmel-firmware version: 1.3-4 commands: atmel_fwl name: autodir version: 0.99.9-10build1 commands: autodir name: autodocktools version: 1.5.7-3 commands: autodocktools,autoligand,runAdt name: axe version: 6.1.2-16.2build1 commands: axe,axinfo,coaxe,faxe name: beast-mcmc version: 1.8.4+dfsg.1-2 commands: beast-mcmc,beast-tracer,beauti,loganalyser,logcombiner,treeannotator,treestat name: bgoffice-dict-downloader version: 0.09 commands: bgoffice-dict-download,update-bgoffice-dicts name: blimps-utils version: 3.9-3 commands: fastaseqs name: bsdgames-nonfree version: 2.17-7 commands: rogue name: bugsx version: 1.08-12 commands: bugsx name: cbedic version: 4.0-4 commands: cbedic name: chaplin version: 1.10-0.2ubuntu3 commands: chaplin,chaplin-genmenu name: cicero version: 0.7.2-3 commands: cicero name: ckermit version: 302-5.3 commands: iksd,kermit,kermit-sshsub,kermrc name: clustalx version: 2.1+lgpl-6 commands: clustalx name: cluster3 version: 1.53-1 commands: cluster3,xcluster3 name: conserver-client version: 8.2.1-1 commands: console name: conserver-server version: 8.2.1-1 commands: conserver name: corsix-th version: 0.61-1 commands: corsix-th name: crafty version: 23.4-7 commands: crafty name: cufflinks version: 2.2.1+dfsg.1-2 commands: compress_gtf,cuffcompare,cuffdiff,cufflinks,cuffmerge,cuffnorm,cuffquant,gffread,gtf_to_sam name: cytadela version: 1.1.0-4 commands: cytadela name: d1x-rebirth version: 0.58.1-1build1 commands: d1x-rebirth name: d2x-rebirth version: 0.58.1-1.1 commands: d2x-rebirth name: darkice version: 1.3-0.2 commands: darkice name: darksnow version: 0.7.1-2 commands: darksnow name: devede version: 4.8.0-1 commands: devede name: dhewm3 version: 1.4.1+git20171102+dfsg-1 commands: dhewm3 name: divxenc version: 1.6.4-0ubuntu1 commands: divxenc name: doris version: 5.0.3~beta+dfsg-4 commands: doris,rundoris name: dvd-slideshow version: 0.8.6.1-1 commands: dir2slideshow,dvd-menu,dvd-slideshow,gallery1-to-slideshow,jigl2slideshow name: dvdrip version: 1:0.98.11-0ubuntu8 commands: dvdrip,dvdrip-exec,dvdrip-master,dvdrip-multitee,dvdrip-replex,dvdrip-splash,dvdrip-subpng,dvdrip-thumb name: dynagen version: 0.11.0-7 commands: dynagen name: easyspice version: 0.6.8-2.1build1 commands: easy_spice name: ec2-ami-tools version: 1.4.0.9-0ubuntu2 commands: ec2-ami-tools-version,ec2-bundle-image,ec2-bundle-vol,ec2-delete-bundle,ec2-download-bundle,ec2-migrate-bundle,ec2-migrate-manifest,ec2-unbundle,ec2-upload-bundle name: ec2-api-tools version: 1.6.14.1-0ubuntu1 commands: ec2-accept-vpc-peering-connection,ec2-activate-license,ec2-add-group,ec2-add-keypair,ec2-allocate-address,ec2-assign-private-ip-addresses,ec2-associate-address,ec2-associate-dhcp-options,ec2-associate-route-table,ec2-attach-internet-gateway,ec2-attach-network-interface,ec2-attach-volume,ec2-attach-vpn-gateway,ec2-authorize,ec2-bundle-instance,ec2-cancel-bundle-task,ec2-cancel-conversion-task,ec2-cancel-export-task,ec2-cancel-reserved-instances-listing,ec2-cancel-spot-instance-requests,ec2-cmd,ec2-confirm-product-instance,ec2-copy-image,ec2-copy-snapshot,ec2-create-customer-gateway,ec2-create-dhcp-options,ec2-create-group,ec2-create-image,ec2-create-instance-export-task,ec2-create-internet-gateway,ec2-create-keypair,ec2-create-network-acl,ec2-create-network-acl-entry,ec2-create-network-interface,ec2-create-placement-group,ec2-create-reserved-instances-listing,ec2-create-route,ec2-create-route-table,ec2-create-snapshot,ec2-create-spot-datafeed-subscription,ec2-create-subnet,ec2-create-tags,ec2-create-volume,ec2-create-vpc,ec2-create-vpc-peering-connection,ec2-create-vpn-connection,ec2-create-vpn-connection-route,ec2-create-vpn-gateway,ec2-deactivate-license,ec2-delete-customer-gateway,ec2-delete-dhcp-options,ec2-delete-disk-image,ec2-delete-group,ec2-delete-internet-gateway,ec2-delete-keypair,ec2-delete-network-acl,ec2-delete-network-acl-entry,ec2-delete-network-interface,ec2-delete-placement-group,ec2-delete-route,ec2-delete-route-table,ec2-delete-snapshot,ec2-delete-spot-datafeed-subscription,ec2-delete-subnet,ec2-delete-tags,ec2-delete-volume,ec2-delete-vpc,ec2-delete-vpc-peering-connection,ec2-delete-vpn-connection,ec2-delete-vpn-connection-route,ec2-delete-vpn-gateway,ec2-deregister,ec2-describe-account-attributes,ec2-describe-addresses,ec2-describe-availability-zones,ec2-describe-bundle-tasks,ec2-describe-conversion-tasks,ec2-describe-customer-gateways,ec2-describe-dhcp-options,ec2-describe-export-tasks,ec2-describe-group,ec2-describe-image-attribute,ec2-describe-images,ec2-describe-instance-attribute,ec2-describe-instance-status,ec2-describe-instances,ec2-describe-internet-gateways,ec2-describe-keypairs,ec2-describe-licenses,ec2-describe-network-acls,ec2-describe-network-interface-attribute,ec2-describe-network-interfaces,ec2-describe-placement-groups,ec2-describe-regions,ec2-describe-reserved-instances,ec2-describe-reserved-instances-listings,ec2-describe-reserved-instances-modifications,ec2-describe-reserved-instances-offerings,ec2-describe-route-tables,ec2-describe-snapshot-attribute,ec2-describe-snapshots,ec2-describe-spot-datafeed-subscription,ec2-describe-spot-instance-requests,ec2-describe-spot-price-history,ec2-describe-subnets,ec2-describe-tags,ec2-describe-volume-attribute,ec2-describe-volume-status,ec2-describe-volumes,ec2-describe-vpc-attribute,ec2-describe-vpc-peering-connections,ec2-describe-vpcs,ec2-describe-vpn-connections,ec2-describe-vpn-gateways,ec2-detach-internet-gateway,ec2-detach-network-interface,ec2-detach-volume,ec2-detach-vpn-gateway,ec2-disable-vgw-route-propagation,ec2-disassociate-address,ec2-disassociate-route-table,ec2-enable-vgw-route-propagation,ec2-enable-volume-io,ec2-fingerprint-key,ec2-get-console-output,ec2-get-password,ec2-import-instance,ec2-import-keypair,ec2-import-volume,ec2-migrate-image,ec2-modify-image-attribute,ec2-modify-instance-attribute,ec2-modify-network-interface-attribute,ec2-modify-reserved-instances,ec2-modify-snapshot-attribute,ec2-modify-volume-attribute,ec2-modify-vpc-attribute,ec2-monitor-instances,ec2-purchase-reserved-instances-offering,ec2-reboot-instances,ec2-register,ec2-reject-vpc-peering-connection,ec2-release-address,ec2-replace-network-acl-association,ec2-replace-network-acl-entry,ec2-replace-route,ec2-replace-route-table-association,ec2-report-instance-status,ec2-request-spot-instances,ec2-reset-image-attribute,ec2-reset-instance-attribute,ec2-reset-network-interface-attribute,ec2-reset-snapshot-attribute,ec2-resume-import,ec2-revoke,ec2-run-instances,ec2-start-instances,ec2-stop-instances,ec2-terminate-instances,ec2-unassign-private-ip-addresses,ec2-unmonitor-instances,ec2-upload-disk-image,ec2-version,ec2actlic,ec2addcgw,ec2adddopt,ec2addgrp,ec2addigw,ec2addixt,ec2addkey,ec2addnacl,ec2addnae,ec2addnic,ec2addpcx,ec2addpgrp,ec2addrt,ec2addrtb,ec2addsds,ec2addsnap,ec2addsubnet,ec2addtag,ec2addvgw,ec2addvol,ec2addvpc,ec2addvpn,ec2allocaddr,ec2apcx,ec2apip,ec2assocaddr,ec2assocdopt,ec2assocrtb,ec2attigw,ec2attnic,ec2attvgw,ec2attvol,ec2auth,ec2bundle,ec2caril,ec2cbun,ec2cct,ec2cim,ec2cpi,ec2cpimg,ec2cpsnap,ec2crril,ec2csir,ec2cvcr,ec2cxt,ec2daa,ec2daddr,ec2datt,ec2daz,ec2dbun,ec2dcgw,ec2dct,ec2ddi,ec2ddopt,ec2deactlic,ec2delcgw,ec2deldopt,ec2delgrp,ec2deligw,ec2delkey,ec2delnacl,ec2delnae,ec2delnic,ec2delpcx,ec2delpgrp,ec2delrt,ec2delrtb,ec2delsds,ec2delsnap,ec2delsubnet,ec2deltag,ec2delvgw,ec2delvol,ec2delvpc,ec2delvpn,ec2dereg,ec2detigw,ec2detnic,ec2detvgw,ec2detvol,ec2dgrp,ec2diatt,ec2digw,ec2dim,ec2dimatt,ec2din,ec2dinatt,ec2dins,ec2disaddr,ec2disrtb,ec2dkey,ec2dlic,ec2dnacl,ec2dnic,ec2dnicatt,ec2dpcx,ec2dpgrp,ec2dre,ec2dri,ec2dril,ec2drim,ec2drio,ec2drp,ec2drtb,ec2dsds,ec2dsir,ec2dsnap,ec2dsnapatt,ec2dsph,ec2dsubnet,ec2dtag,ec2dva,ec2dvcr,ec2dvgw,ec2dvol,ec2dvolatt,ec2dvpc,ec2dvpn,ec2dvs,ec2dxt,ec2erp,ec2evio,ec2fp,ec2gcons,ec2gpass,ec2ii,ec2iin,ec2ikey,ec2iv,ec2ivol,ec2kill,ec2matt,ec2miatt,ec2mim,ec2mimatt,ec2min,ec2minatt,ec2mnicatt,ec2mri,ec2msnapatt,ec2mva,ec2mvolatt,ec2prio,ec2ratt,ec2reboot,ec2reg,ec2reladdr,ec2rep,ec2repnaclassoc,ec2repnae,ec2reprt,ec2reprtbassoc,ec2revoke,ec2riatt,ec2rim,ec2rimatt,ec2rinatt,ec2rnicatt,ec2rpcx,ec2rsi,ec2rsnapatt,ec2run,ec2start,ec2stop,ec2tag,ec2udi,ec2umin,ec2upip,ec2ver name: echelon version: 0.1.0-5ubuntu1 commands: echelon name: eigensoft version: 6.1.4+dfsg-1build1 commands: baseprog,convertf,eigenstrat,eigenstratQTL,evec2pca,evec2pca-ped,gc-eigensoft,mergeit,pca,pcaselection,pcatoy,ploteig,smarteigenstrat,smartpca,smartrel,twstats name: embassy-phylip version: 3.69.660-2 commands: fclique,fconsense,fcontml,fcontrast,fdiscboot,fdnacomp,fdnadist,fdnainvar,fdnaml,fdnamlk,fdnamove,fdnapars,fdnapenny,fdollop,fdolmove,fdolpenny,fdrawgram,fdrawtree,ffactor,ffitch,ffreqboot,fgendist,fkitsch,fmix,fmove,fneighbor,fpars,fpenny,fproml,fpromlk,fprotdist,fprotpars,frestboot,frestdist,frestml,fretree,fseqboot,fseqbootall,ftreedist,ftreedistpair name: esix version: 1-3 commands: esix name: etoys version: 5.0.2408-1 commands: etoys name: exult version: 1.2-16.2 commands: exult name: exult-studio version: 1.2-16.2 commands: expack,exult_studio,ipack,shp2pcx,splitshp,textpack,ucc,ucxt name: f2j version: 0.8.1+dfsg-3 commands: f2java name: faac version: 1.29.7.7-1 commands: faac name: fbzx version: 3.1.0-1 commands: fbzx name: fdkaac version: 0.6.3-1 commands: fdkaac name: freespace2-launcher-wxlauncher version: 0.11.0+dfsg-1 commands: freespace2-launcher,wxlauncher name: frogatto version: 1.3.1+dfsg-4build1 commands: frogatto name: game-data-packager version: 58 commands: game-data-packager name: game-data-packager-runtime version: 58 commands: doom2-masterlevels name: gemrb version: 0.8.5-1 commands: gemrb name: gemrb-baldurs-gate version: 0.8.5-1 commands: baldurs-gate,baldurs-gate-tosc name: gemrb-baldurs-gate-2 version: 0.8.5-1 commands: baldurs-gate-2,baldurs-gate-2-tob name: gemrb-icewind-dale version: 0.8.5-1 commands: icewind-dale,icewind-dale-how name: gemrb-icewind-dale-2 version: 0.8.5-1 commands: icewind-dale-2 name: gemrb-planescape-torment version: 0.8.5-1 commands: planescape-torment name: gentle version: 1.9+cvs20100605+dfsg1-6 commands: GENtle name: geoip-database-contrib version: 1.19 commands: geoip-database-contrib_update,update-geoip-database name: geoipupdate version: 2.5.0-1 commands: geoipupdate name: gfaim version: 0.30-0ubuntu3 commands: gfaim name: gns3 version: 0.8.7-2 commands: gns3 name: gnuboy-sdl version: 1.0.3-7.1 commands: sdlgnuboy name: gnuboy-x version: 1.0.3-7.1 commands: xgnuboy name: googleearth-package version: 1.2.2 commands: make-googleearth-package name: h264enc version: 9.3.7~dfsg-0ubuntu1 commands: h264enc name: hannah-foo2zjs version: 1:4 commands: hannah-foo2zjs name: hijra-applet version: 0.4.1-1 commands: HijriApplet name: horae version: 071~svn537-2.1 commands: artemis,athena,atoms,hephaestus,ifeffit_shell,lsprj,rdaj name: idjc version: 0.8.16-1 commands: idjc name: ifeffit version: 2:1.2.11d-10.2build2 commands: autobk,diffkk,feff6,feffit,ifeffit name: igv version: 2.4.6+dfsg-1 commands: igv name: inform version: 6.31.1+dfsg-2 commands: inform name: iozone3 version: 429-3build1 commands: fileop,iozone,pit_server name: irpas version: 0.10-6 commands: ass,cdp,dfkaa,dhcpx,file2cable,hsrp,icmp_redirect,igrp,inetmask,irdp,irdpresponder,itrace,netenum,protos,tctrace,timestamp name: isdnactivecards version: 1:3.12.2007-11-27-1 commands: actctrl,divaload,divalog,divalogd,eiconctrl,icnctrl,pcbitctl name: ivtv-utils version: 1.4.1-2ubuntu2 commands: cx25840ctl,ivtv-radio,ivtv-tune,ivtvfwextract,ptune,ptune-ui name: jajuk version: 1:1.10.9+dfsg2-4 commands: jajuk name: java-package version: 0.62 commands: make-jpkg name: jhove version: 1.6+dfsg-1 commands: jhove,jhoveview name: julius version: 4.2.2-0ubuntu3 commands: accept_check,adinrec,adintool,dfa_determinize,dfa_minimize,jclient,jcontrol,julius,julius-generate,julius-generate-ngram,mkbingram,mkbinhmm,mkbinhmmlist,mkdfa,mkfa,mkgshmm,mkss,nextword,yomi2voca name: kcemu version: 0.5.1+git20141014+dfsg-2 commands: kc2img,kc2raw,kc2tap,kc2wav,kcemu,kcemu-remote,kctape,tdtodump name: kic version: 2.4a-2build1 commands: kic name: kinect-audio-setup version: 0.5-1build1 commands: kinect_fetch_fw,kinect_upload_fw name: ldraw-mklist version: 1601+ds-1 commands: ldraw-mklist name: lgeneral version: 1.4.3-1 commands: lgeneral name: lgrind version: 3.67-3.1build1 commands: lgrind name: libjulius-dev version: 4.2.2-0ubuntu3 commands: libjulius-config,libsent-config name: libmyth-python version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythpython,mythwikiscripts name: libttspico-utils version: 1.0+git20130326-8 commands: pico2wave name: lmbench version: 3.0-a9+debian.1-2 commands: lmbench-run name: madfuload version: 1.2-4.2 commands: madfuload name: maelstrom version: 1.4.3-L3.0.6+main-9 commands: Maelstrom,Maelstrom-netd,maelstrom name: matlab-support version: 0.0.21 commands: debian-matlab-mexhelper name: metis-edf version: 4.1-2-4 commands: kmetis,onmetis,onmetis.exe,pmetis name: mgltools-cadd version: 1.5.7-3 commands: runCADD name: mgltools-pmv version: 1.5.7-2 commands: runPmv name: mgltools-vision version: 1.5.7+dfsg-1ubuntu2 commands: runVision name: mp3diags version: 1.2.03-1build2 commands: mp3diags name: mp3fs version: 0.91-1build2 commands: mp3fs name: mpglen version: 0.0.2-0.1ubuntu3 commands: mpglen name: mssstest version: 3.0-6 commands: mssstest name: muttdown version: 0.2-1 commands: muttdown name: mytharchive version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mytharchivehelper name: mythexport version: 2.2.4-0ubuntu6 commands: mythexport-daemon,mythexport_addjob name: mythimport version: 2.2.4-0ubuntu6 commands: mythimport name: mythnetvision version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythfillnetvision name: mythtv-backend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythbackend,mythcommflag,mythfilerecorder,mythfilldatabase,mythhdhomerun_config,mythjobqueue,mythpreviewgen,mythtv-setup,mythtv-setup.real name: mythtv-common version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythccextractor,mythffmpeg,mythffprobe,mythffserver,mythmetadatalookup,mythshutdown,mythutil name: mythtv-frontend version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythavtest,mythfrontend,mythfrontend.real,mythlcdserver,mythmediaserver,mythreplex,mythscreenwizard,mythwelcome name: mythtv-transcode-utils version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythtranscode name: mythzoneminder version: 2:29.1+fixes.20180414.329c235-0ubuntu3 commands: mythzmserver name: nastran version: 0.1.95-1build1 commands: nastran name: netperf version: 2.6.0-2.1 commands: netperf,netserver name: ngspice version: 27-1 commands: cmpp,ngmakeidx,ngmultidec,ngnutmeg,ngproc2mod,ngsconvert,ngspice name: nikto version: 1:2.1.5-2 commands: nikto name: notion version: 3+2017050501-1 commands: install-notion-cfg,notion,notionflux,x-window-manager name: nttcp version: 1.47-13build1 commands: nttcp name: nvpy version: 1.0.0+git20171203.c91062c-1 commands: nvpy name: onionshare version: 0.9.2-1 commands: onionshare,onionshare-gui name: openmw version: 0.43.0-3.1~build1 commands: openmw,openmw-essimporter name: openmw-cs version: 0.43.0-3.1~build1 commands: openmw-cs name: openmw-launcher version: 0.43.0-3.1~build1 commands: openmw-iniimporter,openmw-launcher,openmw-wizard name: opentyrian version: 2.1.20130907+dfsg-3 commands: opentyrian name: openzwave version: 1.5+ds-5 commands: MinOZW name: openzwave-controlpanel version: 0.2a+git20161006.a390f35-2 commands: ozwcp name: os8 version: 2.1-7 commands: os8 name: othman version: 0.4.0-3 commands: othman-browser name: out-of-order version: 1.0-2 commands: out-of-order name: oysttyer version: 2.9.1-1 commands: oysttyer name: paml version: 4.9g+dfsg-3 commands: baseml,basemlg,chi2,codeml,mcmctree,paml-evolver,pamp,yn00 name: parmetis-test version: 4.0.3-5 commands: mtest,ptest name: pgmfindclip version: 1.13-0.1ubuntu2 commands: pgmfindclip name: pgplot5 version: 5.2.2-19.3build1 commands: pgxwin_server name: playonlinux version: 4.2.12-1 commands: playonlinux,playonlinux-pkg name: pokemmo-installer version: 1.4.6-1 commands: pokemmo-installer name: powder version: 117-2 commands: powder name: pq version: 6.2-0ubuntu3 commands: pq name: premail version: 0.46-10 commands: premail,prepost name: ptex-jtex version: 1.7+1-15 commands: ajlatex,ajtex,ptexjtexconfig name: publicfile-installer version: 0.14 commands: build-publicfile,get-publicfile name: pycsw version: 2.0.3+dfsg-1 commands: pycsw-admin name: python-ifeffit version: 2:1.2.11d-10.2build2 commands: gifeffit name: qcomicbook version: 0.9.1-2 commands: qcomicbook name: qmhandle version: 1.3.2-2 commands: qmhandle name: quake version: 58 commands: quake name: quake-server version: 58 commands: quake-server name: quake2 version: 58 commands: quake2 name: quake2-server version: 58 commands: quake2-server name: quake3 version: 58 commands: quake3 name: quake3-server version: 58 commands: quake3-server name: raccoon version: 1.0b-3 commands: raccoon name: raster3d version: 3.0-3-3 commands: avs2ps,balls,label3d,normal3d,rastep,render,ribbon,rings3d,rods,stereo3d name: reminiscence version: 0.2.1-2build1 commands: reminiscence,rs name: residualvm version: 0.2.1+dfsg-3 commands: residualvm name: ripmake version: 1.39-0.1 commands: ripmake name: rocksndiamonds version: 4.0.1.0+dfsg-1 commands: rocksndiamonds,rocksndiamonds-bin name: rott version: 1.1.2+svn287-3 commands: rott,rott-commercial,rott-shareware name: rtcw version: 1.51.b+dfsg1-3 commands: wolfmp,wolfsp name: rtcw-server version: 1.51.b+dfsg1-3 commands: wolfded name: runescape version: 0.2-1 commands: runescape name: sabnzbdplus version: 2.3.2+dfsg-1 commands: sabnzbdplus name: sandboxgamemaker version: 2.8.2+dfsg-1build2 commands: sandbox_unix name: sapgui-package version: 0.0.10+nmu1 commands: make-sgpkg name: sauerbraten version: 0.0.20140302-1 commands: sauerbraten name: sauerbraten-server version: 0.0.20140302-1 commands: sauerbraten-server name: seaview version: 1:4.6.4-1 commands: seaview name: sfcb version: 1.4.9-0ubuntu5 commands: sfcbd,sfcbdump,sfcbinst2mof,sfcbmof,sfcbmofpp,sfcbrepos,sfcbstage,sfcbunstage,sfcbuuid name: sfcb-test version: 1.4.9-0ubuntu5 commands: wbemcat,xmltest name: sgb version: 1:20090810-1build1 commands: assign_lisa,book_components,econ_order,football,girth,ladders,miles_span,multiply,queen,roget_components,take_risc,word_components name: sift version: 4.0.3b-6 commands: SIFT_exome_nssnvs.pl,SIFT_for_submitting_fasta_seq.csh,info_on_seqs,map_coords_to_bin.pl,sift_feed_to_chr_coords_batch.pl,sift_for_submitting_fasta_seq.csh,snv_db_engine.pl name: snaphu version: 1.4.2-3 commands: snaphu name: snmp-mibs-downloader version: 1.1+nmu1 commands: download-mibs name: spectemu-common version: 0.94a-19 commands: tapeout name: spectemu-x11 version: 0.94a-19 commands: xspect name: spellcast version: 1.0-22 commands: spellcast name: spread-phy version: 1.0.7+dfsg-1 commands: spread-phy name: sqldeveloper-package version: 0.5.4 commands: make-sqldeveloper-package name: submux-dvd version: 0.5.2-0ubuntu2 commands: submux-dvd,vob2sub name: subtitleripper version: 0.3.4-dmo1ubuntu2 commands: pgm2txt,srttool,subtitle2pgm,subtitle2vobsub,vobsub2pgm name: svtools version: 0.6-2 commands: mlcat,mlhead,mltac,mltail,svdir,svinfo,svinitd,svinitd-create,svsetup name: tegrarcm version: 1.7-1build1 commands: tegrarcm name: testu01-bin version: 1.2.3+ds1-1 commands: testu01-tcode name: thawab version: 3.2.0-1.2 commands: thawab-gtk,thawab-server name: tiemu version: 3.04~git20110801-nogdb+dfsg-1 commands: tiemu name: tightvnc-java version: 1.2.7-9 commands: jtightvncviewer name: titantools version: 4.0.11+notdfsg1-6 commands: noshell,runas name: tome version: 2.4~0.git.2015.12.29-1.2build1 commands: tome name: transcode version: 3:1.1.7-9ubuntu2 commands: avifix,aviindex,avimerge,avisplit,avisync,tccat,tcdecode,tcdemux,tcextract,tcmodinfo,tcmp3cut,tcprobe,tcscan,tcxmlcheck,tcxpm2rgb,tcyait,transcode name: translate-shell version: 0.9.6.6-1 commands: trans name: treeview version: 1.1.6.4+dfsg1-2 commands: treeview name: triangle-bin version: 1.6-2build1 commands: showme,triangle,tricall name: trn4 version: 4.0-test77-11build2 commands: Pnews,Rnmail,nntplist,rn,trn,trn-artchk,trn4 name: trnascan-se version: 1.3.1-1 commands: covels-SE,coves-SE,eufindtRNA,tRNAscan-SE,trnascan-1.4 name: uhexen2 version: 1.5.8+dfsg-1 commands: glhexen2,glhwcl,h2ded,h2patch,hcc,hexen2,hwcl,hwmaster,hwsv name: unace-nonfree version: 2.5-9 commands: unace name: unrar version: 1:5.5.8-1 commands: unrar,unrar-nonfree name: uqm version: 0.6.2.dfsg-9.5 commands: uqm name: uqm-russian version: 1.0.2-5 commands: uqm_russian name: varscan version: 2.4.3+dfsg-1 commands: varscan name: vcmi version: 0.99+dfsg-2build1 commands: vcmibuilder,vcmiclient,vcmilauncher,vcmiserver name: vice version: 3.1.0.dfsg1-1 commands: c1541,cartconv,petcat,vsid,x128,x64,x64dtv,x64sc,xcbm2,xcbm5x0,xpet,xplus4,xscpu64,xvic name: videotrans version: 1.6.1-7 commands: movie-compare-dvd,movie-fakewavspeed,movie-make-title,movie-make-title-simple,movie-progress,movie-rip-epg.data,movie-title,movie-to-dvd,movie-zoomcalc name: vmtk version: 1.3+dfsg-2.2ubuntu1 commands: vmtk name: vmware-manager version: 0.2.0-3 commands: vwm name: vnc-java version: 3.3.3r2-9 commands: jvncviewer name: vusb-analyzer version: 1.1-7 commands: vusb-analyzer name: wap-wml-tools version: 0.0.4-7build1 commands: rdfwml,wbmp2xpm,wmlc,wmld,wmlhtml,wmlv name: wdq2wav version: 1.0.0-1.1 commands: wdq2wav name: weirdx version: 1.0.32-7 commands: weirdx name: wolf4sdl version: 1.7+svn262+dfsg1-4 commands: wolf4sdl,wolf4sdl-sdm,wolf4sdl-sod,wolf4sdl-wl1,wolf4sdl-wl6,wolf4sdl-wl6a,wolf4sdl-wl6a1 name: xfractint version: 20.4.10-2build1 commands: xfractint name: xml2rfc version: 2.9.6-1 commands: xml2rfc name: xsnow version: 1:1.42-9build1 commands: xsnow name: xtrs version: 4.9c-4ubuntu1 commands: cassette,cmddump,hex2cmd,mkdisk,xtrs name: xvid4conf version: 1.12-dmo2ubuntu1 commands: xvid4conf name: xvidenc version: 8.4.3~dfsg-0ubuntu1 commands: xvidenc name: ydpdict version: 1.0.2+1.0.3-2build2 commands: ydpdict name: zangband version: 1:2.7.5pre1-11build1 commands: zangband name: zfs-auto-snapshot version: 1.2.4-1 commands: zfs-auto-snapshot command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/0000775000000000000000000000000014202510314022260 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/0000775000000000000000000000000014202510314023026 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-amd640000664000000000000000000000123314202510314025422 0ustar suite: bionic component: restricted arch: amd64 name: nvidia-340 version: 340.106-0ubuntu3 commands: create-uvm-dev-node,nvidia-bug-report.sh,nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-debugdump,nvidia-persistenced,nvidia-smi,nvidia-xconfig,start-nvidia-persistenced,stop-nvidia-persistenced name: nvidia-compute-utils-390 version: 390.48-0ubuntu3 commands: nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-persistenced name: nvidia-kernel-common-390 version: 390.48-0ubuntu3 commands: create-uvm-dev-node name: nvidia-utils-390 version: 390.48-0ubuntu3 commands: nvidia-bug-report.sh,nvidia-debugdump,nvidia-smi,nvidia-uninstall,nvidia-xconfig command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-arm640000664000000000000000000000006214202510314025437 0ustar suite: bionic component: restricted arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-armhf0000664000000000000000000000123314202510314025604 0ustar suite: bionic component: restricted arch: armhf name: nvidia-340 version: 340.106-0ubuntu3 commands: create-uvm-dev-node,nvidia-bug-report.sh,nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-debugdump,nvidia-persistenced,nvidia-smi,nvidia-xconfig,start-nvidia-persistenced,stop-nvidia-persistenced name: nvidia-compute-utils-390 version: 390.48-0ubuntu3 commands: nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-persistenced name: nvidia-kernel-common-390 version: 390.48-0ubuntu3 commands: create-uvm-dev-node name: nvidia-utils-390 version: 390.48-0ubuntu3 commands: nvidia-bug-report.sh,nvidia-debugdump,nvidia-smi,nvidia-uninstall,nvidia-xconfig command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-i3860000664000000000000000000000123214202510314025177 0ustar suite: bionic component: restricted arch: i386 name: nvidia-340 version: 340.106-0ubuntu3 commands: create-uvm-dev-node,nvidia-bug-report.sh,nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-debugdump,nvidia-persistenced,nvidia-smi,nvidia-xconfig,start-nvidia-persistenced,stop-nvidia-persistenced name: nvidia-compute-utils-390 version: 390.48-0ubuntu3 commands: nvidia-cuda-mps-control,nvidia-cuda-mps-server,nvidia-persistenced name: nvidia-kernel-common-390 version: 390.48-0ubuntu3 commands: create-uvm-dev-node name: nvidia-utils-390 version: 390.48-0ubuntu3 commands: nvidia-bug-report.sh,nvidia-debugdump,nvidia-smi,nvidia-uninstall,nvidia-xconfig command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-ppc64el0000664000000000000000000000006414202510314025765 0ustar suite: bionic component: restricted arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic/restricted/cnf/Commands-s390x0000664000000000000000000000006214202510314025374 0ustar suite: bionic component: restricted arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/0000775000000000000000000000000014202510314021750 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/0000775000000000000000000000000014202510314022516 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-amd640000664000000000000000000450453614202510314025134 0ustar suite: bionic component: universe arch: amd64 name: 0ad version: 0.0.22-4 commands: 0ad,pyrogenesis name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 7kaa version: 2.14.7+dfsg-1 commands: 7kaa name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: a7xpg version: 0.11.dfsg1-10 commands: a7xpg name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: aapt version: 1:7.0.0+r33-1 commands: aapt,aapt2 name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: acbuild version: 0.4.0+dfsg-2 commands: acbuild name: accerciser version: 3.22.0-5 commands: accerciser name: accountwizard version: 4:17.12.3-0ubuntu1 commands: accountwizard,ispdb name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpi version: 1.7-1.1 commands: acpi name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitail version: 0.1-4build1 commands: acpitail name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adb version: 1:7.0.0+r33-2 commands: adb name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-g++,afl-gcc,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang,afl-clang++,afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: afnix version: 2.8.1-1 commands: axc,axd,axi,axl name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aidl version: 1:7.0.0+r33-1 commands: aidl,aidl-cpp name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-import-wizard version: 17.12.3-0ubuntu2 commands: akonadiimportwizard name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: akonadiconsole version: 4:17.12.3-0ubuntu1 commands: akonadiconsole name: akregator version: 4:17.12.3-0ubuntu1 commands: akregator,akregatorstorageexporter name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algobox version: 1.0.2+dfsg-1 commands: algobox name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: androguard version: 3.1.0~rc2-1 commands: androarsc,androauto,androaxml,androdd,androdis,androgui,androlyze name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: android-tools-adbd version: 5.1.1.r38-1.1 commands: adbd name: android-tools-fsutils version: 5.1.1.r38-1.1 commands: ext2simg,ext4fixup,img2simg,make_ext4fs,mkuserimg,simg2img,simg2simg,simg_dump,test_ext4fixup name: android-tools-mkbootimg version: 5.1.1.r38-1.1 commands: mkbootimg name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: ants version: 2.2.0-1ubuntu1 commands: ANTS,ANTSIntegrateVectorField,ANTSIntegrateVelocityField,ANTSJacobian,ANTSUseDeformationFieldToGetAffineTransform,ANTSUseLandmarkImagesToGetAffineTransform,ANTSUseLandmarkImagesToGetBSplineDisplacementField,Atropos,LaplacianThickness,WarpImageMultiTransform,WarpTimeSeriesImageMultiTransform,antsAI,antsAffineInitializer,antsAlignOrigin,antsApplyTransforms,antsApplyTransformsToPoints,antsJointFusion,antsJointTensorFusion,antsLandmarkBasedTransformInitializer,antsMotionCorr,antsMotionCorrDiffusionDirection,antsMotionCorrStats,antsRegistration,antsSliceRegularizedRegistration,antsTransformInfo,antsUtilitiesTesting,jointfusion name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: append2simg version: 1:7.0.0+r33-2 commands: append2simg name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-generator version: 0.6.8-2build2 commands: appstream-generator name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-jit,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: ariba version: 2.11.1+ds-3 commands: ariba name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armada-backlight version: 1.1-9 commands: armada-backlight name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arora version: 0.11.0+qt5+git2014-04-06-1 commands: arora,arora-cacheinfo,arora-placesimport,htmlToXBel name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseba version: 1.6.0-3.1~build1 commands: asebachallenge,asebacmd,asebadummynode,asebadump,asebaexec,asebahttp,asebahttp2,asebajoy,asebamassloader,asebaplay,asebaplayground,asebarec,asebaswitch,thymioupgrader,thymiownetconfig,thymiownetconfig-cli name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avogadro version: 1.2.0-3 commands: avogadro,avopkg,qube name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: bagel version: 1.1.0-1 commands: BAGEL name: baitfisher version: 1.0+dfsg-2 commands: BaitFilter,BaitFisher name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballview version: 1.4.3~beta1-4 commands: BALLView name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomepp version: 0.10-15 commands: baycomepp,eppfpga name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcal version: 1.7-1 commands: bcal name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bcftools version: 1.7-2 commands: bcftools,color-chrs.pl,guess-ploidy.py,plot-roh.py,plot-vcfstats,run-roh.pl,vcfutils.pl name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: bibletime version: 2.11.1-1 commands: bibletime name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: bino version: 1.6.6-1 commands: bino name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-alpha-linux-gnu version: 2.30-15ubuntu1 commands: alpha-linux-gnu-addr2line,alpha-linux-gnu-ar,alpha-linux-gnu-as,alpha-linux-gnu-c++filt,alpha-linux-gnu-elfedit,alpha-linux-gnu-gprof,alpha-linux-gnu-ld,alpha-linux-gnu-ld.bfd,alpha-linux-gnu-nm,alpha-linux-gnu-objcopy,alpha-linux-gnu-objdump,alpha-linux-gnu-ranlib,alpha-linux-gnu-readelf,alpha-linux-gnu-size,alpha-linux-gnu-strings,alpha-linux-gnu-strip name: binutils-arm-linux-gnueabi version: 2.30-15ubuntu1 commands: arm-linux-gnueabi-addr2line,arm-linux-gnueabi-ar,arm-linux-gnueabi-as,arm-linux-gnueabi-c++filt,arm-linux-gnueabi-dwp,arm-linux-gnueabi-elfedit,arm-linux-gnueabi-gprof,arm-linux-gnueabi-ld,arm-linux-gnueabi-ld.bfd,arm-linux-gnueabi-ld.gold,arm-linux-gnueabi-nm,arm-linux-gnueabi-objcopy,arm-linux-gnueabi-objdump,arm-linux-gnueabi-ranlib,arm-linux-gnueabi-readelf,arm-linux-gnueabi-size,arm-linux-gnueabi-strings,arm-linux-gnueabi-strip name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-hppa-linux-gnu version: 2.30-15ubuntu1 commands: hppa-linux-gnu-addr2line,hppa-linux-gnu-ar,hppa-linux-gnu-as,hppa-linux-gnu-c++filt,hppa-linux-gnu-elfedit,hppa-linux-gnu-gprof,hppa-linux-gnu-ld,hppa-linux-gnu-ld.bfd,hppa-linux-gnu-nm,hppa-linux-gnu-objcopy,hppa-linux-gnu-objdump,hppa-linux-gnu-ranlib,hppa-linux-gnu-readelf,hppa-linux-gnu-size,hppa-linux-gnu-strings,hppa-linux-gnu-strip name: binutils-hppa64-linux-gnu version: 2.30-15ubuntu1 commands: hppa64-linux-gnu-addr2line,hppa64-linux-gnu-ar,hppa64-linux-gnu-as,hppa64-linux-gnu-c++filt,hppa64-linux-gnu-elfedit,hppa64-linux-gnu-gprof,hppa64-linux-gnu-ld,hppa64-linux-gnu-ld.bfd,hppa64-linux-gnu-nm,hppa64-linux-gnu-objcopy,hppa64-linux-gnu-objdump,hppa64-linux-gnu-ranlib,hppa64-linux-gnu-readelf,hppa64-linux-gnu-size,hppa64-linux-gnu-strings,hppa64-linux-gnu-strip name: binutils-ia64-linux-gnu version: 2.30-15ubuntu1 commands: ia64-linux-gnu-addr2line,ia64-linux-gnu-ar,ia64-linux-gnu-as,ia64-linux-gnu-c++filt,ia64-linux-gnu-elfedit,ia64-linux-gnu-gprof,ia64-linux-gnu-ld,ia64-linux-gnu-ld.bfd,ia64-linux-gnu-nm,ia64-linux-gnu-objcopy,ia64-linux-gnu-objdump,ia64-linux-gnu-ranlib,ia64-linux-gnu-readelf,ia64-linux-gnu-size,ia64-linux-gnu-strings,ia64-linux-gnu-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-m68k-linux-gnu version: 2.30-15ubuntu1 commands: m68k-linux-gnu-addr2line,m68k-linux-gnu-ar,m68k-linux-gnu-as,m68k-linux-gnu-c++filt,m68k-linux-gnu-elfedit,m68k-linux-gnu-gprof,m68k-linux-gnu-ld,m68k-linux-gnu-ld.bfd,m68k-linux-gnu-nm,m68k-linux-gnu-objcopy,m68k-linux-gnu-objdump,m68k-linux-gnu-ranlib,m68k-linux-gnu-readelf,m68k-linux-gnu-size,m68k-linux-gnu-strings,m68k-linux-gnu-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-mips-linux-gnu version: 2.30-15ubuntu1 commands: mips-linux-gnu-addr2line,mips-linux-gnu-ar,mips-linux-gnu-as,mips-linux-gnu-c++filt,mips-linux-gnu-dwp,mips-linux-gnu-elfedit,mips-linux-gnu-gprof,mips-linux-gnu-ld,mips-linux-gnu-ld.bfd,mips-linux-gnu-ld.gold,mips-linux-gnu-nm,mips-linux-gnu-objcopy,mips-linux-gnu-objdump,mips-linux-gnu-ranlib,mips-linux-gnu-readelf,mips-linux-gnu-size,mips-linux-gnu-strings,mips-linux-gnu-strip name: binutils-mips64-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mips64-linux-gnuabi64-addr2line,mips64-linux-gnuabi64-ar,mips64-linux-gnuabi64-as,mips64-linux-gnuabi64-c++filt,mips64-linux-gnuabi64-dwp,mips64-linux-gnuabi64-elfedit,mips64-linux-gnuabi64-gprof,mips64-linux-gnuabi64-ld,mips64-linux-gnuabi64-ld.bfd,mips64-linux-gnuabi64-ld.gold,mips64-linux-gnuabi64-nm,mips64-linux-gnuabi64-objcopy,mips64-linux-gnuabi64-objdump,mips64-linux-gnuabi64-ranlib,mips64-linux-gnuabi64-readelf,mips64-linux-gnuabi64-size,mips64-linux-gnuabi64-strings,mips64-linux-gnuabi64-strip name: binutils-mips64-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mips64-linux-gnuabin32-addr2line,mips64-linux-gnuabin32-ar,mips64-linux-gnuabin32-as,mips64-linux-gnuabin32-c++filt,mips64-linux-gnuabin32-dwp,mips64-linux-gnuabin32-elfedit,mips64-linux-gnuabin32-gprof,mips64-linux-gnuabin32-ld,mips64-linux-gnuabin32-ld.bfd,mips64-linux-gnuabin32-ld.gold,mips64-linux-gnuabin32-nm,mips64-linux-gnuabin32-objcopy,mips64-linux-gnuabin32-objdump,mips64-linux-gnuabin32-ranlib,mips64-linux-gnuabin32-readelf,mips64-linux-gnuabin32-size,mips64-linux-gnuabin32-strings,mips64-linux-gnuabin32-strip name: binutils-mips64el-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mips64el-linux-gnuabi64-addr2line,mips64el-linux-gnuabi64-ar,mips64el-linux-gnuabi64-as,mips64el-linux-gnuabi64-c++filt,mips64el-linux-gnuabi64-dwp,mips64el-linux-gnuabi64-elfedit,mips64el-linux-gnuabi64-gprof,mips64el-linux-gnuabi64-ld,mips64el-linux-gnuabi64-ld.bfd,mips64el-linux-gnuabi64-ld.gold,mips64el-linux-gnuabi64-nm,mips64el-linux-gnuabi64-objcopy,mips64el-linux-gnuabi64-objdump,mips64el-linux-gnuabi64-ranlib,mips64el-linux-gnuabi64-readelf,mips64el-linux-gnuabi64-size,mips64el-linux-gnuabi64-strings,mips64el-linux-gnuabi64-strip name: binutils-mips64el-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mips64el-linux-gnuabin32-addr2line,mips64el-linux-gnuabin32-ar,mips64el-linux-gnuabin32-as,mips64el-linux-gnuabin32-c++filt,mips64el-linux-gnuabin32-dwp,mips64el-linux-gnuabin32-elfedit,mips64el-linux-gnuabin32-gprof,mips64el-linux-gnuabin32-ld,mips64el-linux-gnuabin32-ld.bfd,mips64el-linux-gnuabin32-ld.gold,mips64el-linux-gnuabin32-nm,mips64el-linux-gnuabin32-objcopy,mips64el-linux-gnuabin32-objdump,mips64el-linux-gnuabin32-ranlib,mips64el-linux-gnuabin32-readelf,mips64el-linux-gnuabin32-size,mips64el-linux-gnuabin32-strings,mips64el-linux-gnuabin32-strip name: binutils-mipsel-linux-gnu version: 2.30-15ubuntu1 commands: mipsel-linux-gnu-addr2line,mipsel-linux-gnu-ar,mipsel-linux-gnu-as,mipsel-linux-gnu-c++filt,mipsel-linux-gnu-dwp,mipsel-linux-gnu-elfedit,mipsel-linux-gnu-gprof,mipsel-linux-gnu-ld,mipsel-linux-gnu-ld.bfd,mipsel-linux-gnu-ld.gold,mipsel-linux-gnu-nm,mipsel-linux-gnu-objcopy,mipsel-linux-gnu-objdump,mipsel-linux-gnu-ranlib,mipsel-linux-gnu-readelf,mipsel-linux-gnu-size,mipsel-linux-gnu-strings,mipsel-linux-gnu-strip name: binutils-mipsisa32r6-linux-gnu version: 2.30-15ubuntu1 commands: mipsisa32r6-linux-gnu-addr2line,mipsisa32r6-linux-gnu-ar,mipsisa32r6-linux-gnu-as,mipsisa32r6-linux-gnu-c++filt,mipsisa32r6-linux-gnu-dwp,mipsisa32r6-linux-gnu-elfedit,mipsisa32r6-linux-gnu-gprof,mipsisa32r6-linux-gnu-ld,mipsisa32r6-linux-gnu-ld.bfd,mipsisa32r6-linux-gnu-ld.gold,mipsisa32r6-linux-gnu-nm,mipsisa32r6-linux-gnu-objcopy,mipsisa32r6-linux-gnu-objdump,mipsisa32r6-linux-gnu-ranlib,mipsisa32r6-linux-gnu-readelf,mipsisa32r6-linux-gnu-size,mipsisa32r6-linux-gnu-strings,mipsisa32r6-linux-gnu-strip name: binutils-mipsisa32r6el-linux-gnu version: 2.30-15ubuntu1 commands: mipsisa32r6el-linux-gnu-addr2line,mipsisa32r6el-linux-gnu-ar,mipsisa32r6el-linux-gnu-as,mipsisa32r6el-linux-gnu-c++filt,mipsisa32r6el-linux-gnu-dwp,mipsisa32r6el-linux-gnu-elfedit,mipsisa32r6el-linux-gnu-gprof,mipsisa32r6el-linux-gnu-ld,mipsisa32r6el-linux-gnu-ld.bfd,mipsisa32r6el-linux-gnu-ld.gold,mipsisa32r6el-linux-gnu-nm,mipsisa32r6el-linux-gnu-objcopy,mipsisa32r6el-linux-gnu-objdump,mipsisa32r6el-linux-gnu-ranlib,mipsisa32r6el-linux-gnu-readelf,mipsisa32r6el-linux-gnu-size,mipsisa32r6el-linux-gnu-strings,mipsisa32r6el-linux-gnu-strip name: binutils-mipsisa64r6-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mipsisa64r6-linux-gnuabi64-addr2line,mipsisa64r6-linux-gnuabi64-ar,mipsisa64r6-linux-gnuabi64-as,mipsisa64r6-linux-gnuabi64-c++filt,mipsisa64r6-linux-gnuabi64-dwp,mipsisa64r6-linux-gnuabi64-elfedit,mipsisa64r6-linux-gnuabi64-gprof,mipsisa64r6-linux-gnuabi64-ld,mipsisa64r6-linux-gnuabi64-ld.bfd,mipsisa64r6-linux-gnuabi64-ld.gold,mipsisa64r6-linux-gnuabi64-nm,mipsisa64r6-linux-gnuabi64-objcopy,mipsisa64r6-linux-gnuabi64-objdump,mipsisa64r6-linux-gnuabi64-ranlib,mipsisa64r6-linux-gnuabi64-readelf,mipsisa64r6-linux-gnuabi64-size,mipsisa64r6-linux-gnuabi64-strings,mipsisa64r6-linux-gnuabi64-strip name: binutils-mipsisa64r6-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mipsisa64r6-linux-gnuabin32-addr2line,mipsisa64r6-linux-gnuabin32-ar,mipsisa64r6-linux-gnuabin32-as,mipsisa64r6-linux-gnuabin32-c++filt,mipsisa64r6-linux-gnuabin32-dwp,mipsisa64r6-linux-gnuabin32-elfedit,mipsisa64r6-linux-gnuabin32-gprof,mipsisa64r6-linux-gnuabin32-ld,mipsisa64r6-linux-gnuabin32-ld.bfd,mipsisa64r6-linux-gnuabin32-ld.gold,mipsisa64r6-linux-gnuabin32-nm,mipsisa64r6-linux-gnuabin32-objcopy,mipsisa64r6-linux-gnuabin32-objdump,mipsisa64r6-linux-gnuabin32-ranlib,mipsisa64r6-linux-gnuabin32-readelf,mipsisa64r6-linux-gnuabin32-size,mipsisa64r6-linux-gnuabin32-strings,mipsisa64r6-linux-gnuabin32-strip name: binutils-mipsisa64r6el-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mipsisa64r6el-linux-gnuabi64-addr2line,mipsisa64r6el-linux-gnuabi64-ar,mipsisa64r6el-linux-gnuabi64-as,mipsisa64r6el-linux-gnuabi64-c++filt,mipsisa64r6el-linux-gnuabi64-dwp,mipsisa64r6el-linux-gnuabi64-elfedit,mipsisa64r6el-linux-gnuabi64-gprof,mipsisa64r6el-linux-gnuabi64-ld,mipsisa64r6el-linux-gnuabi64-ld.bfd,mipsisa64r6el-linux-gnuabi64-ld.gold,mipsisa64r6el-linux-gnuabi64-nm,mipsisa64r6el-linux-gnuabi64-objcopy,mipsisa64r6el-linux-gnuabi64-objdump,mipsisa64r6el-linux-gnuabi64-ranlib,mipsisa64r6el-linux-gnuabi64-readelf,mipsisa64r6el-linux-gnuabi64-size,mipsisa64r6el-linux-gnuabi64-strings,mipsisa64r6el-linux-gnuabi64-strip name: binutils-mipsisa64r6el-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mipsisa64r6el-linux-gnuabin32-addr2line,mipsisa64r6el-linux-gnuabin32-ar,mipsisa64r6el-linux-gnuabin32-as,mipsisa64r6el-linux-gnuabin32-c++filt,mipsisa64r6el-linux-gnuabin32-dwp,mipsisa64r6el-linux-gnuabin32-elfedit,mipsisa64r6el-linux-gnuabin32-gprof,mipsisa64r6el-linux-gnuabin32-ld,mipsisa64r6el-linux-gnuabin32-ld.bfd,mipsisa64r6el-linux-gnuabin32-ld.gold,mipsisa64r6el-linux-gnuabin32-nm,mipsisa64r6el-linux-gnuabin32-objcopy,mipsisa64r6el-linux-gnuabin32-objdump,mipsisa64r6el-linux-gnuabin32-ranlib,mipsisa64r6el-linux-gnuabin32-readelf,mipsisa64r6el-linux-gnuabin32-size,mipsisa64r6el-linux-gnuabin32-strings,mipsisa64r6el-linux-gnuabin32-strip name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-powerpc-linux-gnuspe version: 2.30-15ubuntu1 commands: powerpc-linux-gnuspe-addr2line,powerpc-linux-gnuspe-ar,powerpc-linux-gnuspe-as,powerpc-linux-gnuspe-c++filt,powerpc-linux-gnuspe-dwp,powerpc-linux-gnuspe-elfedit,powerpc-linux-gnuspe-gprof,powerpc-linux-gnuspe-ld,powerpc-linux-gnuspe-ld.bfd,powerpc-linux-gnuspe-ld.gold,powerpc-linux-gnuspe-nm,powerpc-linux-gnuspe-objcopy,powerpc-linux-gnuspe-objdump,powerpc-linux-gnuspe-ranlib,powerpc-linux-gnuspe-readelf,powerpc-linux-gnuspe-size,powerpc-linux-gnuspe-strings,powerpc-linux-gnuspe-strip name: binutils-powerpc64-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64-linux-gnu-addr2line,powerpc64-linux-gnu-ar,powerpc64-linux-gnu-as,powerpc64-linux-gnu-c++filt,powerpc64-linux-gnu-dwp,powerpc64-linux-gnu-elfedit,powerpc64-linux-gnu-gprof,powerpc64-linux-gnu-ld,powerpc64-linux-gnu-ld.bfd,powerpc64-linux-gnu-ld.gold,powerpc64-linux-gnu-nm,powerpc64-linux-gnu-objcopy,powerpc64-linux-gnu-objdump,powerpc64-linux-gnu-ranlib,powerpc64-linux-gnu-readelf,powerpc64-linux-gnu-size,powerpc64-linux-gnu-strings,powerpc64-linux-gnu-strip name: binutils-riscv64-linux-gnu version: 2.30-15ubuntu1 commands: riscv64-linux-gnu-addr2line,riscv64-linux-gnu-ar,riscv64-linux-gnu-as,riscv64-linux-gnu-c++filt,riscv64-linux-gnu-elfedit,riscv64-linux-gnu-gprof,riscv64-linux-gnu-ld,riscv64-linux-gnu-ld.bfd,riscv64-linux-gnu-nm,riscv64-linux-gnu-objcopy,riscv64-linux-gnu-objdump,riscv64-linux-gnu-ranlib,riscv64-linux-gnu-readelf,riscv64-linux-gnu-size,riscv64-linux-gnu-strings,riscv64-linux-gnu-strip name: binutils-sh4-linux-gnu version: 2.30-15ubuntu1 commands: sh4-linux-gnu-addr2line,sh4-linux-gnu-ar,sh4-linux-gnu-as,sh4-linux-gnu-c++filt,sh4-linux-gnu-elfedit,sh4-linux-gnu-gprof,sh4-linux-gnu-ld,sh4-linux-gnu-ld.bfd,sh4-linux-gnu-nm,sh4-linux-gnu-objcopy,sh4-linux-gnu-objdump,sh4-linux-gnu-ranlib,sh4-linux-gnu-readelf,sh4-linux-gnu-size,sh4-linux-gnu-strings,sh4-linux-gnu-strip name: binutils-sparc64-linux-gnu version: 2.30-15ubuntu1 commands: sparc64-linux-gnu-addr2line,sparc64-linux-gnu-ar,sparc64-linux-gnu-as,sparc64-linux-gnu-c++filt,sparc64-linux-gnu-dwp,sparc64-linux-gnu-elfedit,sparc64-linux-gnu-gprof,sparc64-linux-gnu-ld,sparc64-linux-gnu-ld.bfd,sparc64-linux-gnu-ld.gold,sparc64-linux-gnu-nm,sparc64-linux-gnu-objcopy,sparc64-linux-gnu-objdump,sparc64-linux-gnu-ranlib,sparc64-linux-gnu-readelf,sparc64-linux-gnu-size,sparc64-linux-gnu-strings,sparc64-linux-gnu-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-eagle version: 2.4-1 commands: bio-eagle name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: biom-format-tools version: 2.1.5+dfsg-7build2 commands: biom name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosdevname version: 0.4.1-0ubuntu10 commands: biosdevname name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blasr version: 5.3+0-1build1 commands: bam2bax,bam2plx,bax2bam,blasr,loadPulses,pls2fasta,samFilter,samtoh5,samtom4,sawriter,sdpMatcher,toAfg name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: blcr-util version: 0.8.5-2.3 commands: cr_checkpoint,cr_restart,cr_run name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: bowtie version: 1.2.2+dfsg-2 commands: bowtie,bowtie-align-l,bowtie-align-l-debug,bowtie-align-s,bowtie-align-s-debug,bowtie-build,bowtie-build-l,bowtie-build-l-debug,bowtie-build-s,bowtie-build-s-debug,bowtie-inspect,bowtie-inspect-l,bowtie-inspect-l-debug,bowtie-inspect-s,bowtie-inspect-s-debug name: bowtie2 version: 2.3.4.1-1 commands: bowtie2,bowtie2-align-l,bowtie2-align-s,bowtie2-build,bowtie2-build-l,bowtie2-build-s,bowtie2-inspect,bowtie2-inspect-l,bowtie2-inspect-s name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-lua version: 0.5.0-5ubuntu1 commands: bcc-lua name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildapp version: 1.5.6-1 commands: buildapp name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: burp version: 2.0.54-4build1 commands: ,bedup,bsigs,burp,burp_ca,vss_strip name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwa version: 0.7.17-1 commands: bwa name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: cafeobj version: 1.5.7-1 commands: cafeobj name: caffe-tools-cpu version: 1.0.0-6 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: canu version: 1.6+dfsg-2 commands: canu name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: care version: 2.2.1-1build1 commands: care name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cciss-vol-status version: 1.12-1 commands: cciss_vol_status name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cde version: 0.1+git9-g551e54d-1.1 commands: cde,cde-exec name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cen64 version: 0.3+git20180227-1 commands: cen64 name: cen64-qt version: 20180125-alpha-1 commands: cen64-qt name: cenon.app version: 4.0.2-1build3 commands: Cenon name: centrifuge version: 1.0.3~beta-2 commands: centrifuge,centrifuge-build,centrifuge-compress,centrifuge-download,centrifuge-inspect name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-fuse version: 12.2.4-0ubuntu1 commands: ceph-fuse,mount.fuse.ceph name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgpt version: 0~R63-10032.B-3 commands: cgpt name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chezscheme9.5 version: 9.5+dfsg-2build2 commands: chezscheme9.5,petite9.5,scheme-script9.5 name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: choreonoid version: 1.5.0+dfsg-0.1build3 commands: choreonoid name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-browser version: 65.0.3325.181-0ubuntu1 commands: chromium-browser,gnome-www-browser,x-www-browser name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: clementine version: 1.3.1+git276-g3485bbe43+dfsg-1.1build1 commands: clementine,clementine-tagreader name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clisp version: 1:2.49.20170913-4build1 commands: clisp,clisp-link name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clsync version: 0.4.2-1 commands: clsync name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmospwd version: 5.0+dfsg-2build1 commands: cmospwd name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colmap version: 3.4-1 commands: colmap name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectome-workbench version: 1.2.3+git41-gc4c6c90-2 commands: wb_command,wb_shortcuts,wb_view name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,make_growfs,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,parrot_cp,parrot_getacl,parrot_identity_box,parrot_locate,parrot_lsalloc,parrot_md5,parrot_mkalloc,parrot_run,parrot_search,parrot_setacl,parrot_timeout,parrot_whoami,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: cpp-4.8,x86_64-linux-gnu-cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: cpp-5,x86_64-linux-gnu-cpp-5 name: cpp-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-cpp-5 name: cpp-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-cpp-5 name: cpp-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-cpp-5 name: cpp-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-5 name: cpp-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-cpp-5 name: cpp-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-cpp-5 name: cpp-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-cpp-5 name: cpp-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-cpp-5 name: cpp-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-cpp-5 name: cpp-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-cpp-5 name: cpp-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-cpp-5 name: cpp-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-cpp-5 name: cpp-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-cpp-5 name: cpp-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-cpp-5 name: cpp-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-cpp-5 name: cpp-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-cpp-5 name: cpp-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-cpp-5 name: cpp-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: cpp-6,x86_64-linux-gnu-cpp-6 name: cpp-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-cpp-6 name: cpp-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-cpp-6 name: cpp-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-cpp-6 name: cpp-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-6 name: cpp-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-cpp-6 name: cpp-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-cpp-6 name: cpp-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-cpp-6 name: cpp-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-cpp-6 name: cpp-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-cpp-6 name: cpp-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-cpp-6 name: cpp-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-cpp-6 name: cpp-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-cpp-6 name: cpp-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-cpp-6 name: cpp-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-cpp-6 name: cpp-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-cpp-6 name: cpp-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-cpp-6 name: cpp-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-cpp-6 name: cpp-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-6 name: cpp-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-cpp-7 name: cpp-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-cpp-7 name: cpp-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-cpp-7 name: cpp-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-cpp-7 name: cpp-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-cpp-7 name: cpp-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-cpp-7 name: cpp-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-cpp-7 name: cpp-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-cpp-7 name: cpp-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-cpp-7 name: cpp-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-cpp-7 name: cpp-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-cpp-7 name: cpp-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-cpp-7 name: cpp-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-cpp-7 name: cpp-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-cpp-7 name: cpp-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-cpp-7 name: cpp-8 version: 8-20180414-1ubuntu2 commands: cpp-8,x86_64-linux-gnu-cpp-8 name: cpp-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-cpp-8 name: cpp-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-cpp-8 name: cpp-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-cpp-8 name: cpp-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-cpp-8 name: cpp-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-cpp-8 name: cpp-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-cpp-8 name: cpp-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-cpp-8 name: cpp-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-cpp-8 name: cpp-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-cpp-8 name: cpp-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-cpp-8 name: cpp-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-cpp-8 name: cpp-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-cpp-8 name: cpp-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-cpp-8 name: cpp-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-cpp-8 name: cpp-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-cpp-8 name: cpp-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-cpp-8 name: cpp-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-cpp-8 name: cpp-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-cpp-8 name: cpp-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-cpp-8 name: cpp-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-cpp name: cpp-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-cpp name: cpp-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-cpp name: cpp-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-cpp name: cpp-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-cpp name: cpp-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-cpp name: cpp-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-cpp name: cpp-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-cpp name: cpp-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-cpp name: cpp-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-cpp name: cpp-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-cpp name: cpp-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-cpp name: cpp-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-cpp name: cpp-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-cpp name: cpp-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-cpp name: cpp-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-cpp name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cpqarrayd version: 2.3.5ubuntu1 commands: cpqarrayd name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpuid version: 20170122-1 commands: cpuid,cpuinfo2cpuid name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: cqrlog version: 2.0.5-3ubuntu1 commands: cqrlog name: crac version: 2.5.0+dfsg-2 commands: crac,crac-client,crac-index name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: criu version: 3.6-2 commands: compel,crit,criu name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: ,cryptmount,cryptmount-setup name: cryptol version: 2.4.0-3 commands: cryptol name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: ctfutils version: 10.3~svn297264-2 commands: ctfconvert,ctfdump,ctfmerge name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvc4 version: 1.5-1 commands: cvc4,pcvc4 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: dapl2-utils version: 2.1.10.1.f1e05b7a-3 commands: dapltest,dtest,dtestcm,dtestsrq,dtestx name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darktable version: 2.4.2-1 commands: darktable,darktable-chart,darktable-cli,darktable-cltest,darktable-cmstest,darktable-generate-cache,darktable-rs-identify name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddccontrol version: 0.4.3-2 commands: ddccontrol,ddcpci name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrescueview version: 0.4~alpha3-2 commands: ddrescueview name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: debootstick version: 1.2 commands: debootstick name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debos version: 1.0.0+git20180112.6e577d4-1 commands: debos name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debug-me version: 1.20170810-1 commands: debug-me name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-movie version: 3.2.3-2 commands: deepin-movie name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-screenshot version: 4.0.11-1 commands: deepin-screenshot name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deepnano version: 0.0+20160706-1ubuntu1 commands: deepnano_basecall,deepnano_basecall_no_metrichor name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dexdump version: 7.0.0+r33-1 commands: dexdump name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: direwolf version: 1.4+dfsg-1build1 commands: aclients,atest,decode_aprs,direwolf,gen_packets,log2gpx,text2tt,tt2text name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtcp version: 2.3.1-6 commands: dmtcp_checkpoint,dmtcp_command,dmtcp_coordinator,dmtcp_discover_rm,dmtcp_launch,dmtcp_nocheckpoint,dmtcp_restart,dmtcp_rm_loclaunch,dmtcp_ssh,dmtcp_sshd,mtcp_restart name: dmtracedump version: 7.0.0+r33-1 commands: dmtracedump name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin-emu version: 5.0+dfsg-2build1 commands: ,dolphin-emu name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doomsday version: 1.15.8-5build1 commands: boom,doom,doomsday,doomsday-compat,heretic,hexen name: doomsday-server version: 1.15.8-5build1 commands: doomsday-server name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dozzaqueux version: 3.51-2 commands: dozzaqueux name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: dq version: 20161210-1 commands: dq name: dqcache version: 20161210-1 commands: dqcache,dqcache-makekey,dqcache-start name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dub version: 1.8.0-2 commands: dub name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustmite version: 0~20170126.e95dff8-2 commands: dustmite name: dustracing2d version: 2.0.1-1 commands: dustrac-editor,dustrac-game name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: e3 version: 1:2.71-1 commands: e3,e3em,e3ne,e3pi,e3vi,e3ws,editor,emacs,vi name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: eclipse-titan version: 6.3.1-1build1 commands: asn1_compiler,compiler,logformat,makefilegen,mctr,mctr_cli,repgen,tcov2lcov,titanver,ttcn3_compiler,ttcn3_help,ttcn3_logfilter,ttcn3_logformat,ttcn3_logmerge,ttcn3_makefilegen,ttcn3_profmerge,ttcn3_repgen,ttcn3_start,xsd2ttcn name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edb-debugger version: 0.9.21-3 commands: edb name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: efitools version: 1.4.2+git20140118-0ubuntu2 commands: cert-to-efi-sig-list,efi-readvar,efi-updatevar,efitool-mkusb,hash-to-efi-sig-list,sig-list-to-certs,sign-efi-sig-list name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: el-ixir version: 3.0-1 commands: el-ixir name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: elastix version: 4.8-12build1 commands: elastix,transformix name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs-mozc-bin version: 2.20.2673.102+dfsg-2 commands: mozc_emacs_helper name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emscripten version: 1.22.1-1build1 commands: em++,em-config,emar,emcc,emcc.py,emconfigure,emmake,emranlib,emscons,emscripten.py name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-base-hipe version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etc1tool version: 7.0.0+r33-1 commands: etc1tool name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d,evolver-nox-ld,evolver-nox-q name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d,evolver-ogl-ld,evolver-ogl-q name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: examl version: 3.0.20-1 commands: examl,examl-AVX,examl-OMP,examl-OMP-AVX,parse-examl name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext3grep version: 0.10.2-3ubuntu1 commands: ext3grep name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extlinux version: 3:6.03+dfsg1-2 commands: extlinux name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezquake version: 2.2+git20150324-1 commands: ezquake name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: fakemachine version: 0.0~git20180126.e307c2f-1 commands: fakemachine name: faker version: 0.7.7-2 commands: faker name: fakeroot-ng version: 0.18-4build1 commands: fakeroot,fakeroot-ng name: faketime version: 0.9.7-2 commands: faketime name: falcon version: 1.8.8-1ubuntu1 commands: fc_run,fc_run.py name: falkon version: 3.0.0-0ubuntu3 commands: falkon,x-www-browser name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fasm version: 1.73.02-1 commands: fasm name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastboot version: 1:7.0.0+r33-2 commands: fastboot name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastnetmon version: 1.1.3+dfsg-6build1 commands: fastnetmon,fastnetmon_client name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidcl version: 0.3.1-4 commands: fdroidcl name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: fdutils version: 5.5-20060227-7build1 commands: MAKEFLOPPIES,diskd,diskseekd,fdlist,fdmount,fdmountd,fdrawcmd,fdumount,fdutilsconfig,floppycontrol,floppymeter,getfdprm,setfdprm,superformat,xdfcopy,xdfformat name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvmip name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fgrun version: 2016.4.0-1 commands: fgrun name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitgcp version: 0.0.20150429-1 commands: fitgcp name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexdll version: 4.01.0~20140328-1build6 commands: flexlink name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flightgear version: 1:2018.1.1+dfsg-1 commands: GPSsmooth,JSBSim,MIDGsmooth,UGsmooth,fgcom,fgelev,fgfs,fgjs,fgtraffic,fgviewer,js_demo,metar,yasim,yasim-proptest name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmit version: 1.0.0-1build1 commands: fmit name: fml-asm version: 0.1-4 commands: fml-asm name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-compiler-3.0.4 version: 3.0.4+dfsg-18 commands: fpc,fpc-depends,fpc-depends-3.0.4,fpcres,pc,ppcx64,ppcx64-3.0.4,x86_64-linux-gnu-fpc-3.0.4,x86_64-linux-gnu-fpcmkcfg-3.0.4,x86_64-linux-gnu-fpcres-3.0.4 name: fp-ide-3.0.4 version: 3.0.4+dfsg-18 commands: fp,fp-3.0.4 name: fp-units-castle-game-engine version: 6.4+dfsg1-2 commands: castle-curves,castle-engine,image-to-pascal,sprite-sheet-to-x3d,texture-font-to-pascal name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fp-utils-3.0.4 version: 3.0.4+dfsg-18 commands: bin2obj,bin2obj-3.0.4,chmcmd,chmcmd-3.0.4,chmls,chmls-3.0.4,data2inc,data2inc-3.0.4,delp,delp-3.0.4,fd2pascal-3.0.4,fpcjres-3.0.4,fpclasschart,fpclasschart-3.0.4,fpcmake,fpcmake-3.0.4,fpcsubst,fpcsubst-3.0.4,fpdoc,fpdoc-3.0.4,fppkg,fppkg-3.0.4,fprcp,fprcp-3.0.4,grab_vcsa,grab_vcsa-3.0.4,h2pas,h2pas-3.0.4,h2paspp,h2paspp-3.0.4,ifpc,ifpc-3.0.4,instantfpc,makeskel,makeskel-3.0.4,pas2fpm-3.0.4,pas2jni-3.0.4,pas2ut-3.0.4,plex,plex-3.0.4,postw32,postw32-3.0.4,ppdep,ppdep-3.0.4,ppudump,ppudump-3.0.4,ppufiles,ppufiles-3.0.4,ppumove,ppumove-3.0.4,ptop,ptop-3.0.4,pyacc,pyacc-3.0.4,relpath,relpath-3.0.4,rmcvsdir,rmcvsdir-3.0.4,rstconv,rstconv-3.0.4,unitdiff,unitdiff-3.0.4 name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fracplanet version: 0.5.1-2 commands: fracplanet name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: fraqtive version: 0.4.8-5 commands: fraqtive name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebayes version: 1.1.0-1 commands: bamleftalign,freebayes name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecad version: 0.16.6712+dfsg1-1ubuntu2 commands: freecad,freecadcmd name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemat version: 4.2+dfsg1-6 commands: freemat name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fscrypt version: 0.2.2-0ubuntu2 commands: fscrypt name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsm-lite version: 1.0-2 commands: fsm-lite name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswatch version: 1.11.2+repack-10 commands: fswatch name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseext2 version: 0.4-1.1ubuntu0.1 commands: fuse-ext2,fuseext2,mount.fuse-ext2,mount.fuseext2 name: fusefat version: 0.1a-1.1build1 commands: fusefat name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fuseiso9660 version: 0.3-1.2 commands: fuseiso9660 name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: g++-4.8,x86_64-linux-gnu-g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: g++-5,x86_64-linux-gnu-g++-5 name: g++-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-g++-5 name: g++-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-g++-5 name: g++-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-g++-5 name: g++-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-g++-5 name: g++-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-g++-5 name: g++-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-g++-5 name: g++-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-g++-5 name: g++-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-g++-5 name: g++-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-g++-5 name: g++-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-g++-5 name: g++-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-g++-5 name: g++-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-g++-5 name: g++-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-g++-5 name: g++-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-g++-5 name: g++-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-g++-5 name: g++-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-g++-5 name: g++-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-g++-5 name: g++-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: g++-6,x86_64-linux-gnu-g++-6 name: g++-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-g++-6 name: g++-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-g++-6 name: g++-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-g++-6 name: g++-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-g++-6 name: g++-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-g++-6 name: g++-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-g++-6 name: g++-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-g++-6 name: g++-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-g++-6 name: g++-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-g++-6 name: g++-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-g++-6 name: g++-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-g++-6 name: g++-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-g++-6 name: g++-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-g++-6 name: g++-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-g++-6 name: g++-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-g++-6 name: g++-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-g++-6 name: g++-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-g++-6 name: g++-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-g++-6 name: g++-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-g++-7 name: g++-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-g++-7 name: g++-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-g++-7 name: g++-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-g++-7 name: g++-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-g++-7 name: g++-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-g++-7 name: g++-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-g++-7 name: g++-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-g++-7 name: g++-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-g++-7 name: g++-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-g++-7 name: g++-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-g++-7 name: g++-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-g++-7 name: g++-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-g++-7 name: g++-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-g++-7 name: g++-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-g++-7 name: g++-8 version: 8-20180414-1ubuntu2 commands: g++-8,x86_64-linux-gnu-g++-8 name: g++-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-g++-8 name: g++-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-g++-8 name: g++-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-g++-8 name: g++-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-g++-8 name: g++-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-g++-8 name: g++-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-g++-8 name: g++-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-g++-8 name: g++-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-g++-8 name: g++-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-g++-8 name: g++-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-g++-8 name: g++-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-g++-8 name: g++-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-g++-8 name: g++-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-g++-8 name: g++-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-g++-8 name: g++-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-g++-8 name: g++-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-g++-8 name: g++-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-g++-8 name: g++-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-g++-8 name: g++-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-g++-8 name: g++-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-g++ name: g++-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-g++ name: g++-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-g++ name: g++-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-g++ name: g++-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-g++ name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g++-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-g++ name: g++-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-g++ name: g++-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-g++ name: g++-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-g++ name: g++-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-g++ name: g++-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-g++ name: g++-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-g++ name: g++-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-g++ name: g++-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-g++ name: g++-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-g++ name: g++-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-g++ name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gasic version: 0.0.r19-3 commands: correct_abundances,create_matrix,quality_check,run_mappers name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gazebo9 version: 9.0.0+dfsg5-3ubuntu1 commands: gazebo,gazebo-9.0.0,gz,gz-9.0.0,gzclient,gzclient-9.0.0,gzprop,gzserver,gzserver-9.0.0 name: gb version: 0.4.4-2 commands: gb,gb-vendor name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8,x86_64-linux-gnu-gcc-4.8,x86_64-linux-gnu-gcc-ar-4.8,x86_64-linux-gnu-gcc-nm-4.8,x86_64-linux-gnu-gcc-ranlib-4.8,x86_64-linux-gnu-gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5,x86_64-linux-gnu-gcc-5,x86_64-linux-gnu-gcc-ar-5,x86_64-linux-gnu-gcc-nm-5,x86_64-linux-gnu-gcc-ranlib-5,x86_64-linux-gnu-gcov-5,x86_64-linux-gnu-gcov-dump-5,x86_64-linux-gnu-gcov-tool-5 name: gcc-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gcc-5,aarch64-linux-gnu-gcc-ar-5,aarch64-linux-gnu-gcc-nm-5,aarch64-linux-gnu-gcc-ranlib-5,aarch64-linux-gnu-gcov-5,aarch64-linux-gnu-gcov-dump-5,aarch64-linux-gnu-gcov-tool-5 name: gcc-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gcc-5,alpha-linux-gnu-gcc-ar-5,alpha-linux-gnu-gcc-nm-5,alpha-linux-gnu-gcc-ranlib-5,alpha-linux-gnu-gcov-5,alpha-linux-gnu-gcov-dump-5,alpha-linux-gnu-gcov-tool-5 name: gcc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gcc-5,arm-linux-gnueabi-gcc-ar-5,arm-linux-gnueabi-gcc-nm-5,arm-linux-gnueabi-gcc-ranlib-5,arm-linux-gnueabi-gcov-5,arm-linux-gnueabi-gcov-dump-5,arm-linux-gnueabi-gcov-tool-5 name: gcc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-5,arm-linux-gnueabihf-gcc-ar-5,arm-linux-gnueabihf-gcc-nm-5,arm-linux-gnueabihf-gcc-ranlib-5,arm-linux-gnueabihf-gcov-5,arm-linux-gnueabihf-gcov-dump-5,arm-linux-gnueabihf-gcov-tool-5 name: gcc-5-hppa64-linux-gnu version: 5.5.0-12ubuntu1 commands: hppa64-linux-gnu-cpp-5,hppa64-linux-gnu-gcc-5,hppa64-linux-gnu-gcc-ar-5,hppa64-linux-gnu-gcc-nm-5,hppa64-linux-gnu-gcc-ranlib-5 name: gcc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gcc-5,i686-linux-gnu-gcc-ar-5,i686-linux-gnu-gcc-nm-5,i686-linux-gnu-gcc-ranlib-5,i686-linux-gnu-gcov-5,i686-linux-gnu-gcov-dump-5,i686-linux-gnu-gcov-tool-5 name: gcc-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gcc-5,m68k-linux-gnu-gcc-ar-5,m68k-linux-gnu-gcc-nm-5,m68k-linux-gnu-gcc-ranlib-5,m68k-linux-gnu-gcov-5,m68k-linux-gnu-gcov-dump-5,m68k-linux-gnu-gcov-tool-5 name: gcc-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gcc-5,mips-linux-gnu-gcc-ar-5,mips-linux-gnu-gcc-nm-5,mips-linux-gnu-gcc-ranlib-5,mips-linux-gnu-gcov-5,mips-linux-gnu-gcov-dump-5,mips-linux-gnu-gcov-tool-5 name: gcc-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gcc-5,mips64-linux-gnuabi64-gcc-ar-5,mips64-linux-gnuabi64-gcc-nm-5,mips64-linux-gnuabi64-gcc-ranlib-5,mips64-linux-gnuabi64-gcov-5,mips64-linux-gnuabi64-gcov-dump-5,mips64-linux-gnuabi64-gcov-tool-5 name: gcc-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gcc-5,mips64el-linux-gnuabi64-gcc-ar-5,mips64el-linux-gnuabi64-gcc-nm-5,mips64el-linux-gnuabi64-gcc-ranlib-5,mips64el-linux-gnuabi64-gcov-5,mips64el-linux-gnuabi64-gcov-dump-5,mips64el-linux-gnuabi64-gcov-tool-5 name: gcc-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gcc-5,mipsel-linux-gnu-gcc-ar-5,mipsel-linux-gnu-gcc-nm-5,mipsel-linux-gnu-gcc-ranlib-5,mipsel-linux-gnu-gcov-5,mipsel-linux-gnu-gcov-dump-5,mipsel-linux-gnu-gcov-tool-5 name: gcc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gcc-5,powerpc-linux-gnu-gcc-ar-5,powerpc-linux-gnu-gcc-nm-5,powerpc-linux-gnu-gcc-ranlib-5,powerpc-linux-gnu-gcov-5,powerpc-linux-gnu-gcov-dump-5,powerpc-linux-gnu-gcov-tool-5 name: gcc-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gcc-5,powerpc-linux-gnuspe-gcc-ar-5,powerpc-linux-gnuspe-gcc-nm-5,powerpc-linux-gnuspe-gcc-ranlib-5,powerpc-linux-gnuspe-gcov-5,powerpc-linux-gnuspe-gcov-dump-5,powerpc-linux-gnuspe-gcov-tool-5 name: gcc-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gcc-5,powerpc64-linux-gnu-gcc-ar-5,powerpc64-linux-gnu-gcc-nm-5,powerpc64-linux-gnu-gcc-ranlib-5,powerpc64-linux-gnu-gcov-5,powerpc64-linux-gnu-gcov-dump-5,powerpc64-linux-gnu-gcov-tool-5 name: gcc-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gcc-5,powerpc64le-linux-gnu-gcc-ar-5,powerpc64le-linux-gnu-gcc-nm-5,powerpc64le-linux-gnu-gcc-ranlib-5,powerpc64le-linux-gnu-gcov-5,powerpc64le-linux-gnu-gcov-dump-5,powerpc64le-linux-gnu-gcov-tool-5 name: gcc-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gcc-5,s390x-linux-gnu-gcc-ar-5,s390x-linux-gnu-gcc-nm-5,s390x-linux-gnu-gcc-ranlib-5,s390x-linux-gnu-gcov-5,s390x-linux-gnu-gcov-dump-5,s390x-linux-gnu-gcov-tool-5 name: gcc-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gcc-5,sh4-linux-gnu-gcc-ar-5,sh4-linux-gnu-gcc-nm-5,sh4-linux-gnu-gcc-ranlib-5,sh4-linux-gnu-gcov-5,sh4-linux-gnu-gcov-dump-5,sh4-linux-gnu-gcov-tool-5 name: gcc-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gcc-5,sparc64-linux-gnu-gcc-ar-5,sparc64-linux-gnu-gcc-nm-5,sparc64-linux-gnu-gcc-ranlib-5,sparc64-linux-gnu-gcov-5,sparc64-linux-gnu-gcov-dump-5,sparc64-linux-gnu-gcov-tool-5 name: gcc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-5,x86_64-linux-gnux32-gcc-ar-5,x86_64-linux-gnux32-gcc-nm-5,x86_64-linux-gnux32-gcc-ranlib-5,x86_64-linux-gnux32-gcov-5,x86_64-linux-gnux32-gcov-dump-5,x86_64-linux-gnux32-gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6,x86_64-linux-gnu-gcc-6,x86_64-linux-gnu-gcc-ar-6,x86_64-linux-gnu-gcc-nm-6,x86_64-linux-gnu-gcc-ranlib-6,x86_64-linux-gnu-gcov-6,x86_64-linux-gnu-gcov-dump-6,x86_64-linux-gnu-gcov-tool-6 name: gcc-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gcc-6,aarch64-linux-gnu-gcc-ar-6,aarch64-linux-gnu-gcc-nm-6,aarch64-linux-gnu-gcc-ranlib-6,aarch64-linux-gnu-gcov-6,aarch64-linux-gnu-gcov-dump-6,aarch64-linux-gnu-gcov-tool-6 name: gcc-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gcc-6,alpha-linux-gnu-gcc-ar-6,alpha-linux-gnu-gcc-nm-6,alpha-linux-gnu-gcc-ranlib-6,alpha-linux-gnu-gcov-6,alpha-linux-gnu-gcov-dump-6,alpha-linux-gnu-gcov-tool-6 name: gcc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gcc-6,arm-linux-gnueabi-gcc-ar-6,arm-linux-gnueabi-gcc-nm-6,arm-linux-gnueabi-gcc-ranlib-6,arm-linux-gnueabi-gcov-6,arm-linux-gnueabi-gcov-dump-6,arm-linux-gnueabi-gcov-tool-6 name: gcc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-6,arm-linux-gnueabihf-gcc-ar-6,arm-linux-gnueabihf-gcc-nm-6,arm-linux-gnueabihf-gcc-ranlib-6,arm-linux-gnueabihf-gcov-6,arm-linux-gnueabihf-gcov-dump-6,arm-linux-gnueabihf-gcov-tool-6 name: gcc-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gcc-6,hppa-linux-gnu-gcc-ar-6,hppa-linux-gnu-gcc-nm-6,hppa-linux-gnu-gcc-ranlib-6,hppa-linux-gnu-gcov-6,hppa-linux-gnu-gcov-dump-6,hppa-linux-gnu-gcov-tool-6 name: gcc-6-hppa64-linux-gnu version: 6.4.0-17ubuntu1 commands: hppa64-linux-gnu-cpp-6,hppa64-linux-gnu-gcc-6,hppa64-linux-gnu-gcc-ar-6,hppa64-linux-gnu-gcc-nm-6,hppa64-linux-gnu-gcc-ranlib-6 name: gcc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gcc-6,i686-linux-gnu-gcc-ar-6,i686-linux-gnu-gcc-nm-6,i686-linux-gnu-gcc-ranlib-6,i686-linux-gnu-gcov-6,i686-linux-gnu-gcov-dump-6,i686-linux-gnu-gcov-tool-6 name: gcc-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gcc-6,m68k-linux-gnu-gcc-ar-6,m68k-linux-gnu-gcc-nm-6,m68k-linux-gnu-gcc-ranlib-6,m68k-linux-gnu-gcov-6,m68k-linux-gnu-gcov-dump-6,m68k-linux-gnu-gcov-tool-6 name: gcc-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gcc-6,mips-linux-gnu-gcc-ar-6,mips-linux-gnu-gcc-nm-6,mips-linux-gnu-gcc-ranlib-6,mips-linux-gnu-gcov-6,mips-linux-gnu-gcov-dump-6,mips-linux-gnu-gcov-tool-6 name: gcc-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gcc-6,mips64-linux-gnuabi64-gcc-ar-6,mips64-linux-gnuabi64-gcc-nm-6,mips64-linux-gnuabi64-gcc-ranlib-6,mips64-linux-gnuabi64-gcov-6,mips64-linux-gnuabi64-gcov-dump-6,mips64-linux-gnuabi64-gcov-tool-6 name: gcc-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gcc-6,mips64el-linux-gnuabi64-gcc-ar-6,mips64el-linux-gnuabi64-gcc-nm-6,mips64el-linux-gnuabi64-gcc-ranlib-6,mips64el-linux-gnuabi64-gcov-6,mips64el-linux-gnuabi64-gcov-dump-6,mips64el-linux-gnuabi64-gcov-tool-6 name: gcc-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gcc-6,mipsel-linux-gnu-gcc-ar-6,mipsel-linux-gnu-gcc-nm-6,mipsel-linux-gnu-gcc-ranlib-6,mipsel-linux-gnu-gcov-6,mipsel-linux-gnu-gcov-dump-6,mipsel-linux-gnu-gcov-tool-6 name: gcc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gcc-6,powerpc-linux-gnu-gcc-ar-6,powerpc-linux-gnu-gcc-nm-6,powerpc-linux-gnu-gcc-ranlib-6,powerpc-linux-gnu-gcov-6,powerpc-linux-gnu-gcov-dump-6,powerpc-linux-gnu-gcov-tool-6 name: gcc-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gcc-6,powerpc-linux-gnuspe-gcc-ar-6,powerpc-linux-gnuspe-gcc-nm-6,powerpc-linux-gnuspe-gcc-ranlib-6,powerpc-linux-gnuspe-gcov-6,powerpc-linux-gnuspe-gcov-dump-6,powerpc-linux-gnuspe-gcov-tool-6 name: gcc-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gcc-6,powerpc64-linux-gnu-gcc-ar-6,powerpc64-linux-gnu-gcc-nm-6,powerpc64-linux-gnu-gcc-ranlib-6,powerpc64-linux-gnu-gcov-6,powerpc64-linux-gnu-gcov-dump-6,powerpc64-linux-gnu-gcov-tool-6 name: gcc-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gcc-6,powerpc64le-linux-gnu-gcc-ar-6,powerpc64le-linux-gnu-gcc-nm-6,powerpc64le-linux-gnu-gcc-ranlib-6,powerpc64le-linux-gnu-gcov-6,powerpc64le-linux-gnu-gcov-dump-6,powerpc64le-linux-gnu-gcov-tool-6 name: gcc-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gcc-6,s390x-linux-gnu-gcc-ar-6,s390x-linux-gnu-gcc-nm-6,s390x-linux-gnu-gcc-ranlib-6,s390x-linux-gnu-gcov-6,s390x-linux-gnu-gcov-dump-6,s390x-linux-gnu-gcov-tool-6 name: gcc-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gcc-6,sh4-linux-gnu-gcc-ar-6,sh4-linux-gnu-gcc-nm-6,sh4-linux-gnu-gcc-ranlib-6,sh4-linux-gnu-gcov-6,sh4-linux-gnu-gcov-dump-6,sh4-linux-gnu-gcov-tool-6 name: gcc-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gcc-6,sparc64-linux-gnu-gcc-ar-6,sparc64-linux-gnu-gcc-nm-6,sparc64-linux-gnu-gcc-ranlib-6,sparc64-linux-gnu-gcov-6,sparc64-linux-gnu-gcov-dump-6,sparc64-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-6,x86_64-linux-gnux32-gcc-ar-6,x86_64-linux-gnux32-gcc-nm-6,x86_64-linux-gnux32-gcc-ranlib-6,x86_64-linux-gnux32-gcov-6,x86_64-linux-gnux32-gcov-dump-6,x86_64-linux-gnux32-gcov-tool-6 name: gcc-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gcc-7,alpha-linux-gnu-gcc-ar-7,alpha-linux-gnu-gcc-nm-7,alpha-linux-gnu-gcc-ranlib-7,alpha-linux-gnu-gcov-7,alpha-linux-gnu-gcov-dump-7,alpha-linux-gnu-gcov-tool-7 name: gcc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gcc-7,arm-linux-gnueabi-gcc-ar-7,arm-linux-gnueabi-gcc-nm-7,arm-linux-gnueabi-gcc-ranlib-7,arm-linux-gnueabi-gcov-7,arm-linux-gnueabi-gcov-dump-7,arm-linux-gnueabi-gcov-tool-7 name: gcc-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gcc-7,hppa-linux-gnu-gcc-ar-7,hppa-linux-gnu-gcc-nm-7,hppa-linux-gnu-gcc-ranlib-7,hppa-linux-gnu-gcov-7,hppa-linux-gnu-gcov-dump-7,hppa-linux-gnu-gcov-tool-7 name: gcc-7-hppa64-linux-gnu version: 7.3.0-16ubuntu3 commands: hppa64-linux-gnu-cpp-7,hppa64-linux-gnu-gcc-7,hppa64-linux-gnu-gcc-ar-7,hppa64-linux-gnu-gcc-nm-7,hppa64-linux-gnu-gcc-ranlib-7 name: gcc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gcc-7,i686-linux-gnu-gcc-ar-7,i686-linux-gnu-gcc-nm-7,i686-linux-gnu-gcc-ranlib-7,i686-linux-gnu-gcov-7,i686-linux-gnu-gcov-dump-7,i686-linux-gnu-gcov-tool-7 name: gcc-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gcc-7,m68k-linux-gnu-gcc-ar-7,m68k-linux-gnu-gcc-nm-7,m68k-linux-gnu-gcc-ranlib-7,m68k-linux-gnu-gcov-7,m68k-linux-gnu-gcov-dump-7,m68k-linux-gnu-gcov-tool-7 name: gcc-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gcc-7,mips-linux-gnu-gcc-ar-7,mips-linux-gnu-gcc-nm-7,mips-linux-gnu-gcc-ranlib-7,mips-linux-gnu-gcov-7,mips-linux-gnu-gcov-dump-7,mips-linux-gnu-gcov-tool-7 name: gcc-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gcc-7,mips64-linux-gnuabi64-gcc-ar-7,mips64-linux-gnuabi64-gcc-nm-7,mips64-linux-gnuabi64-gcc-ranlib-7,mips64-linux-gnuabi64-gcov-7,mips64-linux-gnuabi64-gcov-dump-7,mips64-linux-gnuabi64-gcov-tool-7 name: gcc-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gcc-7,mips64el-linux-gnuabi64-gcc-ar-7,mips64el-linux-gnuabi64-gcc-nm-7,mips64el-linux-gnuabi64-gcc-ranlib-7,mips64el-linux-gnuabi64-gcov-7,mips64el-linux-gnuabi64-gcov-dump-7,mips64el-linux-gnuabi64-gcov-tool-7 name: gcc-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gcc-7,mipsel-linux-gnu-gcc-ar-7,mipsel-linux-gnu-gcc-nm-7,mipsel-linux-gnu-gcc-ranlib-7,mipsel-linux-gnu-gcov-7,mipsel-linux-gnu-gcov-dump-7,mipsel-linux-gnu-gcov-tool-7 name: gcc-7-offload-nvptx version: 7.3.0-16ubuntu3 commands: x86_64-linux-gnu-accel-nvptx-none-gcc-7 name: gcc-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gcc-7,powerpc-linux-gnuspe-gcc-ar-7,powerpc-linux-gnuspe-gcc-nm-7,powerpc-linux-gnuspe-gcc-ranlib-7,powerpc-linux-gnuspe-gcov-7,powerpc-linux-gnuspe-gcov-dump-7,powerpc-linux-gnuspe-gcov-tool-7 name: gcc-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gcc-7,powerpc64-linux-gnu-gcc-ar-7,powerpc64-linux-gnu-gcc-nm-7,powerpc64-linux-gnu-gcc-ranlib-7,powerpc64-linux-gnu-gcov-7,powerpc64-linux-gnu-gcov-dump-7,powerpc64-linux-gnu-gcov-tool-7 name: gcc-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gcc-7,riscv64-linux-gnu-gcc-ar-7,riscv64-linux-gnu-gcc-nm-7,riscv64-linux-gnu-gcc-ranlib-7,riscv64-linux-gnu-gcov-7,riscv64-linux-gnu-gcov-dump-7,riscv64-linux-gnu-gcov-tool-7 name: gcc-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gcc-7,s390x-linux-gnu-gcc-ar-7,s390x-linux-gnu-gcc-nm-7,s390x-linux-gnu-gcc-ranlib-7,s390x-linux-gnu-gcov-7,s390x-linux-gnu-gcov-dump-7,s390x-linux-gnu-gcov-tool-7 name: gcc-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gcc-7,sh4-linux-gnu-gcc-ar-7,sh4-linux-gnu-gcc-nm-7,sh4-linux-gnu-gcc-ranlib-7,sh4-linux-gnu-gcov-7,sh4-linux-gnu-gcov-dump-7,sh4-linux-gnu-gcov-tool-7 name: gcc-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gcc-7,sparc64-linux-gnu-gcc-ar-7,sparc64-linux-gnu-gcc-nm-7,sparc64-linux-gnu-gcc-ranlib-7,sparc64-linux-gnu-gcov-7,sparc64-linux-gnu-gcov-dump-7,sparc64-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gcc-7,x86_64-linux-gnux32-gcc-ar-7,x86_64-linux-gnux32-gcc-nm-7,x86_64-linux-gnux32-gcc-ranlib-7,x86_64-linux-gnux32-gcov-7,x86_64-linux-gnux32-gcov-dump-7,x86_64-linux-gnux32-gcov-tool-7 name: gcc-8 version: 8-20180414-1ubuntu2 commands: gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8,x86_64-linux-gnu-gcc-8,x86_64-linux-gnu-gcc-ar-8,x86_64-linux-gnu-gcc-nm-8,x86_64-linux-gnu-gcc-ranlib-8,x86_64-linux-gnu-gcov-8,x86_64-linux-gnu-gcov-dump-8,x86_64-linux-gnu-gcov-tool-8 name: gcc-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gcc-8,aarch64-linux-gnu-gcc-ar-8,aarch64-linux-gnu-gcc-nm-8,aarch64-linux-gnu-gcc-ranlib-8,aarch64-linux-gnu-gcov-8,aarch64-linux-gnu-gcov-dump-8,aarch64-linux-gnu-gcov-tool-8 name: gcc-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gcc-8,alpha-linux-gnu-gcc-ar-8,alpha-linux-gnu-gcc-nm-8,alpha-linux-gnu-gcc-ranlib-8,alpha-linux-gnu-gcov-8,alpha-linux-gnu-gcov-dump-8,alpha-linux-gnu-gcov-tool-8 name: gcc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gcc-8,arm-linux-gnueabi-gcc-ar-8,arm-linux-gnueabi-gcc-nm-8,arm-linux-gnueabi-gcc-ranlib-8,arm-linux-gnueabi-gcov-8,arm-linux-gnueabi-gcov-dump-8,arm-linux-gnueabi-gcov-tool-8 name: gcc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gcc-8,arm-linux-gnueabihf-gcc-ar-8,arm-linux-gnueabihf-gcc-nm-8,arm-linux-gnueabihf-gcc-ranlib-8,arm-linux-gnueabihf-gcov-8,arm-linux-gnueabihf-gcov-dump-8,arm-linux-gnueabihf-gcov-tool-8 name: gcc-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gcc-8,hppa-linux-gnu-gcc-ar-8,hppa-linux-gnu-gcc-nm-8,hppa-linux-gnu-gcc-ranlib-8,hppa-linux-gnu-gcov-8,hppa-linux-gnu-gcov-dump-8,hppa-linux-gnu-gcov-tool-8 name: gcc-8-hppa64-linux-gnu version: 8-20180414-1ubuntu2 commands: hppa64-linux-gnu-cpp-8,hppa64-linux-gnu-gcc-8,hppa64-linux-gnu-gcc-ar-8,hppa64-linux-gnu-gcc-nm-8,hppa64-linux-gnu-gcc-ranlib-8 name: gcc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gcc-8,i686-linux-gnu-gcc-ar-8,i686-linux-gnu-gcc-nm-8,i686-linux-gnu-gcc-ranlib-8,i686-linux-gnu-gcov-8,i686-linux-gnu-gcov-dump-8,i686-linux-gnu-gcov-tool-8 name: gcc-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gcc-8,m68k-linux-gnu-gcc-ar-8,m68k-linux-gnu-gcc-nm-8,m68k-linux-gnu-gcc-ranlib-8,m68k-linux-gnu-gcov-8,m68k-linux-gnu-gcov-dump-8,m68k-linux-gnu-gcov-tool-8 name: gcc-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gcc-8,mips-linux-gnu-gcc-ar-8,mips-linux-gnu-gcc-nm-8,mips-linux-gnu-gcc-ranlib-8,mips-linux-gnu-gcov-8,mips-linux-gnu-gcov-dump-8,mips-linux-gnu-gcov-tool-8 name: gcc-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gcc-8,mips64-linux-gnuabi64-gcc-ar-8,mips64-linux-gnuabi64-gcc-nm-8,mips64-linux-gnuabi64-gcc-ranlib-8,mips64-linux-gnuabi64-gcov-8,mips64-linux-gnuabi64-gcov-dump-8,mips64-linux-gnuabi64-gcov-tool-8 name: gcc-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gcc-8,mips64el-linux-gnuabi64-gcc-ar-8,mips64el-linux-gnuabi64-gcc-nm-8,mips64el-linux-gnuabi64-gcc-ranlib-8,mips64el-linux-gnuabi64-gcov-8,mips64el-linux-gnuabi64-gcov-dump-8,mips64el-linux-gnuabi64-gcov-tool-8 name: gcc-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gcc-8,mipsel-linux-gnu-gcc-ar-8,mipsel-linux-gnu-gcc-nm-8,mipsel-linux-gnu-gcc-ranlib-8,mipsel-linux-gnu-gcov-8,mipsel-linux-gnu-gcov-dump-8,mipsel-linux-gnu-gcov-tool-8 name: gcc-8-offload-nvptx version: 8-20180414-1ubuntu2 commands: x86_64-linux-gnu-accel-nvptx-none-gcc-8 name: gcc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gcc-8,powerpc-linux-gnu-gcc-ar-8,powerpc-linux-gnu-gcc-nm-8,powerpc-linux-gnu-gcc-ranlib-8,powerpc-linux-gnu-gcov-8,powerpc-linux-gnu-gcov-dump-8,powerpc-linux-gnu-gcov-tool-8 name: gcc-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gcc-8,powerpc-linux-gnuspe-gcc-ar-8,powerpc-linux-gnuspe-gcc-nm-8,powerpc-linux-gnuspe-gcc-ranlib-8,powerpc-linux-gnuspe-gcov-8,powerpc-linux-gnuspe-gcov-dump-8,powerpc-linux-gnuspe-gcov-tool-8 name: gcc-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gcc-8,powerpc64-linux-gnu-gcc-ar-8,powerpc64-linux-gnu-gcc-nm-8,powerpc64-linux-gnu-gcc-ranlib-8,powerpc64-linux-gnu-gcov-8,powerpc64-linux-gnu-gcov-dump-8,powerpc64-linux-gnu-gcov-tool-8 name: gcc-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gcc-8,powerpc64le-linux-gnu-gcc-ar-8,powerpc64le-linux-gnu-gcc-nm-8,powerpc64le-linux-gnu-gcc-ranlib-8,powerpc64le-linux-gnu-gcov-8,powerpc64le-linux-gnu-gcov-dump-8,powerpc64le-linux-gnu-gcov-tool-8 name: gcc-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gcc-8,riscv64-linux-gnu-gcc-ar-8,riscv64-linux-gnu-gcc-nm-8,riscv64-linux-gnu-gcc-ranlib-8,riscv64-linux-gnu-gcov-8,riscv64-linux-gnu-gcov-dump-8,riscv64-linux-gnu-gcov-tool-8 name: gcc-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gcc-8,s390x-linux-gnu-gcc-ar-8,s390x-linux-gnu-gcc-nm-8,s390x-linux-gnu-gcc-ranlib-8,s390x-linux-gnu-gcov-8,s390x-linux-gnu-gcov-dump-8,s390x-linux-gnu-gcov-tool-8 name: gcc-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gcc-8,sh4-linux-gnu-gcc-ar-8,sh4-linux-gnu-gcc-nm-8,sh4-linux-gnu-gcc-ranlib-8,sh4-linux-gnu-gcov-8,sh4-linux-gnu-gcov-dump-8,sh4-linux-gnu-gcov-tool-8 name: gcc-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gcc-8,sparc64-linux-gnu-gcc-ar-8,sparc64-linux-gnu-gcc-nm-8,sparc64-linux-gnu-gcc-ranlib-8,sparc64-linux-gnu-gcov-8,sparc64-linux-gnu-gcov-dump-8,sparc64-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gcc-8,x86_64-linux-gnux32-gcc-ar-8,x86_64-linux-gnux32-gcc-nm-8,x86_64-linux-gnux32-gcc-ranlib-8,x86_64-linux-gnux32-gcov-8,x86_64-linux-gnux32-gcov-dump-8,x86_64-linux-gnux32-gcov-tool-8 name: gcc-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-gcc,alpha-linux-gnu-gcc-ar,alpha-linux-gnu-gcc-nm,alpha-linux-gnu-gcc-ranlib,alpha-linux-gnu-gcov,alpha-linux-gnu-gcov-dump,alpha-linux-gnu-gcov-tool name: gcc-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gcc,arm-linux-gnueabi-gcc-ar,arm-linux-gnueabi-gcc-nm,arm-linux-gnueabi-gcc-ranlib,arm-linux-gnueabi-gcov,arm-linux-gnueabi-gcov-dump,arm-linux-gnueabi-gcov-tool name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-gcc,hppa-linux-gnu-gcc-ar,hppa-linux-gnu-gcc-nm,hppa-linux-gnu-gcc-ranlib,hppa-linux-gnu-gcov,hppa-linux-gnu-gcov-dump,hppa-linux-gnu-gcov-tool name: gcc-hppa64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: hppa64-linux-gnu-gcc,hppa64-linux-gnu-gcc-ar,hppa64-linux-gnu-gcc-nm,hppa64-linux-gnu-gcc-ranlib name: gcc-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gcc,i686-linux-gnu-gcc-ar,i686-linux-gnu-gcc-nm,i686-linux-gnu-gcc-ranlib,i686-linux-gnu-gcov,i686-linux-gnu-gcov-dump,i686-linux-gnu-gcov-tool name: gcc-m68hc1x version: 1:3.3.6+3.1+dfsg-3ubuntu2 commands: m68hc11-cpp,m68hc11-gcc,m68hc11-gccbug,m68hc11-gcov name: gcc-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-gcc,m68k-linux-gnu-gcc-ar,m68k-linux-gnu-gcc-nm,m68k-linux-gnu-gcc-ranlib,m68k-linux-gnu-gcov,m68k-linux-gnu-gcov-dump,m68k-linux-gnu-gcov-tool name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-gcc,mips-linux-gnu-gcc-ar,mips-linux-gnu-gcc-nm,mips-linux-gnu-gcc-ranlib,mips-linux-gnu-gcov,mips-linux-gnu-gcov-dump,mips-linux-gnu-gcov-tool name: gcc-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-gcc,mips64-linux-gnuabi64-gcc-ar,mips64-linux-gnuabi64-gcc-nm,mips64-linux-gnuabi64-gcc-ranlib,mips64-linux-gnuabi64-gcov,mips64-linux-gnuabi64-gcov-dump,mips64-linux-gnuabi64-gcov-tool name: gcc-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-gcc,mips64el-linux-gnuabi64-gcc-ar,mips64el-linux-gnuabi64-gcc-nm,mips64el-linux-gnuabi64-gcc-ranlib,mips64el-linux-gnuabi64-gcov,mips64el-linux-gnuabi64-gcov-dump,mips64el-linux-gnuabi64-gcov-tool name: gcc-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-gcc,mipsel-linux-gnu-gcc-ar,mipsel-linux-gnu-gcc-nm,mipsel-linux-gnu-gcc-ranlib,mipsel-linux-gnu-gcov,mipsel-linux-gnu-gcov-dump,mipsel-linux-gnu-gcov-tool name: gcc-msp430 version: 4.6.3~mspgcc-20120406-7ubuntu5 commands: msp430-c++,msp430-cpp,msp430-g++,msp430-gcc,msp430-gcc-4.6.3,msp430-gcov name: gcc-offload-nvptx version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-accel-nvptx-none-gcc name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-gcc,powerpc-linux-gnuspe-gcc-ar,powerpc-linux-gnuspe-gcc-nm,powerpc-linux-gnuspe-gcc-ranlib,powerpc-linux-gnuspe-gcov,powerpc-linux-gnuspe-gcov-dump,powerpc-linux-gnuspe-gcov-tool name: gcc-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-gcc,powerpc64-linux-gnu-gcc-ar,powerpc64-linux-gnu-gcc-nm,powerpc64-linux-gnu-gcc-ranlib,powerpc64-linux-gnu-gcov,powerpc64-linux-gnu-gcov-dump,powerpc64-linux-gnu-gcov-tool name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gcc-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-gcc,riscv64-linux-gnu-gcc-ar,riscv64-linux-gnu-gcc-nm,riscv64-linux-gnu-gcc-ranlib,riscv64-linux-gnu-gcov,riscv64-linux-gnu-gcov-dump,riscv64-linux-gnu-gcov-tool name: gcc-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-gcc,s390x-linux-gnu-gcc-ar,s390x-linux-gnu-gcc-nm,s390x-linux-gnu-gcc-ranlib,s390x-linux-gnu-gcov,s390x-linux-gnu-gcov-dump,s390x-linux-gnu-gcov-tool name: gcc-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-gcc,sh4-linux-gnu-gcc-ar,sh4-linux-gnu-gcc-nm,sh4-linux-gnu-gcc-ranlib,sh4-linux-gnu-gcov,sh4-linux-gnu-gcov-dump,sh4-linux-gnu-gcov-tool name: gcc-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-gcc,sparc64-linux-gnu-gcc-ar,sparc64-linux-gnu-gcc-nm,sparc64-linux-gnu-gcc-ranlib,sparc64-linux-gnu-gcov,sparc64-linux-gnu-gcov-dump,sparc64-linux-gnu-gcov-tool name: gcc-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gcc,x86_64-linux-gnux32-gcc-ar,x86_64-linux-gnux32-gcc-nm,x86_64-linux-gnux32-gcc-ranlib,x86_64-linux-gnux32-gcov,x86_64-linux-gnux32-gcov-dump,x86_64-linux-gnux32-gcov-tool name: gccbrig version: 4:7.3.0-3ubuntu2 commands: gccbrig,x86_64-linux-gnu-gccbrig name: gccbrig-7 version: 7.3.0-16ubuntu3 commands: gccbrig-7,x86_64-linux-gnu-gccbrig-7 name: gccbrig-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccbrig-7 name: gccbrig-8 version: 8-20180414-1ubuntu2 commands: gccbrig-8,x86_64-linux-gnu-gccbrig-8 name: gccbrig-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccbrig-8 name: gccgo version: 4:8-20180321-2ubuntu2 commands: gccgo,x86_64-linux-gnu-gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: gccgo-4.8,x86_64-linux-gnu-gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: gccgo-5,go-5,gofmt-5,x86_64-linux-gnu-gccgo-5 name: gccgo-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gccgo-5 name: gccgo-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gccgo-5 name: gccgo-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-5 name: gccgo-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-5 name: gccgo-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gccgo-5 name: gccgo-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gccgo-5 name: gccgo-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gccgo-5 name: gccgo-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gccgo-5 name: gccgo-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gccgo-5 name: gccgo-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-5 name: gccgo-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gccgo-5 name: gccgo-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gccgo-5 name: gccgo-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gccgo-5 name: gccgo-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gccgo-5 name: gccgo-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gccgo-5 name: gccgo-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: gccgo-6,go-6,gofmt-6,x86_64-linux-gnu-gccgo-6,x86_64-linux-gnu-go-6,x86_64-linux-gnu-gofmt-6 name: gccgo-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gccgo-6 name: gccgo-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gccgo-6 name: gccgo-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-6 name: gccgo-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-6 name: gccgo-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gccgo-6 name: gccgo-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gccgo-6 name: gccgo-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gccgo-6 name: gccgo-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gccgo-6 name: gccgo-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gccgo-6 name: gccgo-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gccgo-6 name: gccgo-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-6 name: gccgo-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gccgo-6 name: gccgo-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gccgo-6 name: gccgo-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gccgo-6 name: gccgo-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gccgo-6 name: gccgo-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: gccgo-7,go-7,gofmt-7,x86_64-linux-gnu-gccgo-7,x86_64-linux-gnu-go-7,x86_64-linux-gnu-gofmt-7 name: gccgo-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gccgo-7 name: gccgo-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gccgo-7 name: gccgo-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gccgo-7 name: gccgo-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gccgo-7 name: gccgo-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccgo-7 name: gccgo-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gccgo-7 name: gccgo-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gccgo-7 name: gccgo-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gccgo-7 name: gccgo-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gccgo-7 name: gccgo-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gccgo-7 name: gccgo-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gccgo-7 name: gccgo-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gccgo-7 name: gccgo-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gccgo-7 name: gccgo-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gccgo-7 name: gccgo-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gccgo-7 name: gccgo-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccgo-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: gccgo-8,go-8,gofmt-8,x86_64-linux-gnu-gccgo-8,x86_64-linux-gnu-go-8,x86_64-linux-gnu-gofmt-8 name: gccgo-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gccgo-8 name: gccgo-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gccgo-8 name: gccgo-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gccgo-8 name: gccgo-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gccgo-8 name: gccgo-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccgo-8 name: gccgo-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gccgo-8 name: gccgo-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gccgo-8 name: gccgo-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gccgo-8 name: gccgo-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gccgo-8 name: gccgo-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gccgo-8 name: gccgo-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gccgo-8 name: gccgo-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gccgo-8 name: gccgo-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gccgo-8 name: gccgo-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gccgo-8 name: gccgo-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gccgo-8 name: gccgo-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccgo-8 name: gccgo-aarch64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gccgo name: gccgo-alpha-linux-gnu version: 4:8-20180321-2ubuntu1 commands: alpha-linux-gnu-gccgo name: gccgo-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gccgo name: gccgo-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gccgo name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gccgo-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gccgo name: gccgo-mips-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mips-linux-gnu-gccgo name: gccgo-mips64-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64-linux-gnuabi64-gccgo name: gccgo-mips64el-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64el-linux-gnuabi64-gccgo name: gccgo-mipsel-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mipsel-linux-gnu-gccgo name: gccgo-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gccgo name: gccgo-powerpc-linux-gnuspe version: 4:8-20180321-2ubuntu1 commands: powerpc-linux-gnuspe-gccgo name: gccgo-powerpc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: powerpc64-linux-gnu-gccgo name: gccgo-powerpc64le-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc64le-linux-gnu-gccgo name: gccgo-riscv64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: riscv64-linux-gnu-gccgo name: gccgo-s390x-linux-gnu version: 4:8-20180321-2ubuntu2 commands: s390x-linux-gnu-gccgo name: gccgo-sparc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sparc64-linux-gnu-gccgo name: gccgo-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gccgo name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.1-0ubuntu3+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-msp430 version: 7.2a~mspgcc-20111205-3.1ubuntu1 commands: msp430-gdb,msp430-run name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: gdc,x86_64-linux-gnu-gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: gdc-4.8,x86_64-linux-gnu-gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: gdc-5,x86_64-linux-gnu-gdc-5 name: gdc-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gdc-5 name: gdc-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gdc-5 name: gdc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gdc-5 name: gdc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-5 name: gdc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gdc-5 name: gdc-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gdc-5 name: gdc-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gdc-5 name: gdc-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gdc-5 name: gdc-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gdc-5 name: gdc-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gdc-5 name: gdc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gdc-5 name: gdc-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gdc-5 name: gdc-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gdc-5 name: gdc-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gdc-5 name: gdc-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gdc-5 name: gdc-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gdc-5 name: gdc-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gdc-5 name: gdc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: gdc-6,x86_64-linux-gnu-gdc-6 name: gdc-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gdc-6 name: gdc-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gdc-6 name: gdc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gdc-6 name: gdc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-6 name: gdc-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gdc-6 name: gdc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gdc-6 name: gdc-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gdc-6 name: gdc-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gdc-6 name: gdc-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gdc-6 name: gdc-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gdc-6 name: gdc-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gdc-6 name: gdc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gdc-6 name: gdc-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gdc-6 name: gdc-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gdc-6 name: gdc-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gdc-6 name: gdc-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gdc-6 name: gdc-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gdc-6 name: gdc-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: gdc-7,x86_64-linux-gnu-gdc-7 name: gdc-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gdc-7 name: gdc-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gdc-7 name: gdc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gdc-7 name: gdc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gdc-7 name: gdc-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gdc-7 name: gdc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gdc-7 name: gdc-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gdc-7 name: gdc-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gdc-7 name: gdc-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gdc-7 name: gdc-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gdc-7 name: gdc-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gdc-7 name: gdc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gdc-7 name: gdc-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gdc-7 name: gdc-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gdc-7 name: gdc-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gdc-7 name: gdc-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gdc-7 name: gdc-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gdc-7 name: gdc-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gdc-7 name: gdc-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: gdc-8,x86_64-linux-gnu-gdc-8 name: gdc-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gdc-8 name: gdc-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gdc-8 name: gdc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gdc-8 name: gdc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gdc-8 name: gdc-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gdc-8 name: gdc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gdc-8 name: gdc-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gdc-8 name: gdc-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gdc-8 name: gdc-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gdc-8 name: gdc-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gdc-8 name: gdc-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gdc-8 name: gdc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gdc-8 name: gdc-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gdc-8 name: gdc-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gdc-8 name: gdc-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gdc-8 name: gdc-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gdc-8 name: gdc-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gdc-8 name: gdc-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gdc-8 name: gdc-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gdc-8 name: gdc-aarch64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gdc name: gdc-alpha-linux-gnu version: 4:8-20180321-2ubuntu1 commands: alpha-linux-gnu-gdc name: gdc-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gdc name: gdc-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gdc name: gdc-hppa-linux-gnu version: 4:8-20180321-2ubuntu1 commands: hppa-linux-gnu-gdc name: gdc-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gdc name: gdc-m68k-linux-gnu version: 4:8-20180321-2ubuntu1 commands: m68k-linux-gnu-gdc name: gdc-mips-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mips-linux-gnu-gdc name: gdc-mips64-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64-linux-gnuabi64-gdc name: gdc-mips64el-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64el-linux-gnuabi64-gdc name: gdc-mipsel-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mipsel-linux-gnu-gdc name: gdc-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gdc name: gdc-powerpc-linux-gnuspe version: 4:8-20180321-2ubuntu1 commands: powerpc-linux-gnuspe-gdc name: gdc-powerpc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: powerpc64-linux-gnu-gdc name: gdc-powerpc64le-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc64le-linux-gnu-gdc name: gdc-riscv64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: riscv64-linux-gnu-gdc name: gdc-s390x-linux-gnu version: 4:8-20180321-2ubuntu2 commands: s390x-linux-gnu-gdc name: gdc-sh4-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sh4-linux-gnu-gdc name: gdc-sparc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sparc64-linux-gnu-gdc name: gdc-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gdc name: gddccontrol version: 0.4.3-2 commands: gddccontrol name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearhead version: 1.302-4 commands: gearhead name: gearhead-sdl version: 1.302-4 commands: gearhead-sdl name: gearhead2 version: 0.701-1 commands: gearhead2 name: gearhead2-sdl version: 0.701-1 commands: gearhead2-sdl name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: gfortran-4.8,x86_64-linux-gnu-gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: gfortran-5,x86_64-linux-gnu-gfortran-5 name: gfortran-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gfortran-5 name: gfortran-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gfortran-5 name: gfortran-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-5 name: gfortran-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-5 name: gfortran-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gfortran-5 name: gfortran-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gfortran-5 name: gfortran-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gfortran-5 name: gfortran-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gfortran-5 name: gfortran-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gfortran-5 name: gfortran-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gfortran-5 name: gfortran-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-5 name: gfortran-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gfortran-5 name: gfortran-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gfortran-5 name: gfortran-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gfortran-5 name: gfortran-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gfortran-5 name: gfortran-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gfortran-5 name: gfortran-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gfortran-5 name: gfortran-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: gfortran-6,x86_64-linux-gnu-gfortran-6 name: gfortran-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gfortran-6 name: gfortran-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gfortran-6 name: gfortran-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-6 name: gfortran-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-6 name: gfortran-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gfortran-6 name: gfortran-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gfortran-6 name: gfortran-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gfortran-6 name: gfortran-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gfortran-6 name: gfortran-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gfortran-6 name: gfortran-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gfortran-6 name: gfortran-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gfortran-6 name: gfortran-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-6 name: gfortran-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gfortran-6 name: gfortran-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gfortran-6 name: gfortran-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gfortran-6 name: gfortran-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gfortran-6 name: gfortran-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gfortran-6 name: gfortran-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-6 name: gfortran-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gfortran-7 name: gfortran-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gfortran-7 name: gfortran-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gfortran-7 name: gfortran-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gfortran-7 name: gfortran-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gfortran-7 name: gfortran-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gfortran-7 name: gfortran-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gfortran-7 name: gfortran-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gfortran-7 name: gfortran-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gfortran-7 name: gfortran-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gfortran-7 name: gfortran-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gfortran-7 name: gfortran-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gfortran-7 name: gfortran-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gfortran-7 name: gfortran-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gfortran-7 name: gfortran-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gfortran-7 name: gfortran-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gfortran-7 name: gfortran-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gfortran-7 name: gfortran-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gfortran-7 name: gfortran-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gfortran-7 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: gfortran-8,x86_64-linux-gnu-gfortran-8 name: gfortran-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gfortran-8 name: gfortran-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gfortran-8 name: gfortran-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gfortran-8 name: gfortran-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gfortran-8 name: gfortran-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gfortran-8 name: gfortran-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gfortran-8 name: gfortran-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gfortran-8 name: gfortran-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gfortran-8 name: gfortran-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gfortran-8 name: gfortran-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gfortran-8 name: gfortran-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gfortran-8 name: gfortran-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gfortran-8 name: gfortran-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gfortran-8 name: gfortran-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gfortran-8 name: gfortran-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gfortran-8 name: gfortran-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gfortran-8 name: gfortran-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gfortran-8 name: gfortran-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gfortran-8 name: gfortran-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gfortran-8 name: gfortran-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gfortran name: gfortran-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-gfortran name: gfortran-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gfortran name: gfortran-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gfortran name: gfortran-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-gfortran name: gfortran-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gfortran name: gfortran-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-gfortran name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfortran-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-gfortran name: gfortran-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-gfortran name: gfortran-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-gfortran name: gfortran-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-gfortran name: gfortran-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gfortran name: gfortran-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-gfortran name: gfortran-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-gfortran name: gfortran-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-gfortran name: gfortran-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-gfortran name: gfortran-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-gfortran name: gfortran-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-gfortran name: gfortran-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-gfortran name: gfortran-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gfortran name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: giira version: 0.0.20140625-1 commands: giira name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gir-to-d version: 0.13.0-3build2 commands: girtod name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: gle-graphics version: 4.2.5-7 commands: gle,manip,qgle name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-mir name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-mir name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5,x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-5,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-5,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-5,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-5,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-5,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-5,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-5,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-5,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-5,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-5,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-5,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-5,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-5 name: gnat-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-5,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-5,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-5,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-5,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-5,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-5,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-5,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-5,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-5,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-5,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-5,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-5,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-5 name: gnat-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-5,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-5,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-5,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-5,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-5,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-5,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-5,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-5,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-5,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-5,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-5,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-5,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-5 name: gnat-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-5,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-5,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-5,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-5,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-5,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-5,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-5,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-5,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-5,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-5,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-5,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-5,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-5 name: gnat-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-5,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-5,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-5,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-5,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-5,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-5,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-5,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-5,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-5,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-5,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-5,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-5,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-5 name: gnat-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-5,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-5,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-5,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-5,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-5,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-5,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-5,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-5,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-5,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-5,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-5,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-5,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-5 name: gnat-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-5,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-5,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-5,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-5,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-5,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-5,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-5,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-5,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-5,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-5,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-5,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-5,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-5 name: gnat-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-5,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-5,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-5,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-5,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-5,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-5,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-5,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-5,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-5,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-5,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-5,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-5,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-5 name: gnat-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-5,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-5,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-5,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-5,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-5,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-5,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-5,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-5,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-5,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-5,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-5,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-5,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-5 name: gnat-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-5,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-5,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-5,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-5,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-5,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-5,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-5,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-5,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-5,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-5,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-5,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-5,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-5 name: gnat-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-5,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-5,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-5,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-5,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-5,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-5,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-5,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-5,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-5,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-5,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-5,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-5,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-5 name: gnat-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-5,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-5,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-5,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-5,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-5,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-5,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-5,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-5,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-5,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-5,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-5,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-5,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-5 name: gnat-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-5,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-5,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-5,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-5,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-5,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-5,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-5,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-5,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-5,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-5,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-5,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-5,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-5 name: gnat-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-5,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-5,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-5,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-5,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-5,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-5,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-5,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-5,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-5,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-5,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-5,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-5,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-5 name: gnat-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-5,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-5,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-5,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-5,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-5,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-5,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-5,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-5,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-5,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-5,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-5,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-5,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-5 name: gnat-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-5,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-5,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-5,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-5,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-5,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-5,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-5,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-5,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-5,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-5,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-5,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-5,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6,x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-6,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-6,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-6,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-6,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-6,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-6,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-6,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-6,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-6,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-6,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-6,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-6,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-6 name: gnat-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-6,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-6,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-6,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-6,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-6,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-6,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-6,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-6,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-6,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-6,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-6,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-6,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-6 name: gnat-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-6,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-6,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-6,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-6,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-6,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-6,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-6,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-6,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-6,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-6,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-6,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-6,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-6 name: gnat-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-6,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-6,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-6,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-6,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-6,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-6,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-6,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-6,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-6,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-6,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-6,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-6,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-6 name: gnat-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-6,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-6,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-6,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-6,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-6,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-6,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-6,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-6,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-6,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-6,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-6,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-6,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-6 name: gnat-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-6,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-6,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-6,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-6,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-6,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-6,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-6,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-6,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-6,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-6,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-6,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-6,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-6 name: gnat-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-6,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-6,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-6,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-6,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-6,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-6,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-6,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-6,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-6,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-6,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-6,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-6,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-6 name: gnat-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-6,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-6,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-6,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-6,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-6,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-6,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-6,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-6,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-6,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-6,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-6,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-6,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-6 name: gnat-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-6,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-6,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-6,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-6,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-6,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-6,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-6,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-6,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-6,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-6,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-6,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-6,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-6 name: gnat-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-6,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-6,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-6,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-6,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-6,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-6,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-6,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-6,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-6,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-6,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-6,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-6,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-6 name: gnat-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-6,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-6,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-6,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-6,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-6,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-6,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-6,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-6,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-6,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-6,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-6,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-6,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-6 name: gnat-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-6,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-6,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-6,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-6,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-6,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-6,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-6,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-6,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-6,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-6,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-6,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-6,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-6 name: gnat-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-6,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-6,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-6,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-6,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-6,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-6,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-6,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-6,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-6,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-6,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-6,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-6,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-6 name: gnat-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-6,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-6,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-6,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-6,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-6,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-6,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-6,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-6,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-6,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-6,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-6,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-6,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-6 name: gnat-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-6,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-6,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-6,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-6,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-6,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-6,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-6,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-6,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-6,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-6,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-6,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-6,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-6 name: gnat-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-6,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-6,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-6,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-6,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-6,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-6,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-6,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-6,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-6,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-6,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-6,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-6,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7,x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-7,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-7,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-7,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-7,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-7,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-7,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-7,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-7,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-7,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-7,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-7,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-7,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-7 name: gnat-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-7,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-7,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-7,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-7,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-7,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-7,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-7,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-7,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-7,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-7,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-7,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-7,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-7 name: gnat-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-7,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-7,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-7,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-7,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-7,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-7,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-7,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-7,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-7,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-7,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-7,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-7,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-7 name: gnat-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-7,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-7,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-7,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-7,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-7,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-7,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-7,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-7,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-7,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-7,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-7,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-7,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-7 name: gnat-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-7,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-7,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-7,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-7,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-7,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-7,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-7,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-7,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-7,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-7,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-7,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-7,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-7 name: gnat-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-7,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-7,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-7,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-7,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-7,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-7,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-7,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-7,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-7,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-7,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-7,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-7,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-7 name: gnat-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-7,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-7,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-7,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-7,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-7,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-7,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-7,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-7,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-7,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-7,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-7,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-7,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-7 name: gnat-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-7,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-7,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-7,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-7,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-7,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-7,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-7,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-7,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-7,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-7,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-7,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-7,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-7 name: gnat-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-7,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-7,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-7,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-7,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-7,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-7,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-7,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-7,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-7,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-7,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-7,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-7,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-7 name: gnat-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gnat,mips64-linux-gnuabi64-gnat-7,mips64-linux-gnuabi64-gnatbind,mips64-linux-gnuabi64-gnatbind-7,mips64-linux-gnuabi64-gnatchop,mips64-linux-gnuabi64-gnatchop-7,mips64-linux-gnuabi64-gnatclean,mips64-linux-gnuabi64-gnatclean-7,mips64-linux-gnuabi64-gnatfind,mips64-linux-gnuabi64-gnatfind-7,mips64-linux-gnuabi64-gnatgcc,mips64-linux-gnuabi64-gnathtml,mips64-linux-gnuabi64-gnathtml-7,mips64-linux-gnuabi64-gnatkr,mips64-linux-gnuabi64-gnatkr-7,mips64-linux-gnuabi64-gnatlink,mips64-linux-gnuabi64-gnatlink-7,mips64-linux-gnuabi64-gnatls,mips64-linux-gnuabi64-gnatls-7,mips64-linux-gnuabi64-gnatmake,mips64-linux-gnuabi64-gnatmake-7,mips64-linux-gnuabi64-gnatname,mips64-linux-gnuabi64-gnatname-7,mips64-linux-gnuabi64-gnatprep,mips64-linux-gnuabi64-gnatprep-7,mips64-linux-gnuabi64-gnatxref,mips64-linux-gnuabi64-gnatxref-7 name: gnat-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-7,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-7,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-7,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-7,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-7,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-7,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-7,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-7,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-7,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-7,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-7,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-7,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-7 name: gnat-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-7,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-7,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-7,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-7,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-7,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-7,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-7,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-7,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-7,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-7,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-7,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-7,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-7 name: gnat-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-7,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-7,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-7,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-7,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-7,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-7,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-7,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-7,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-7,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-7,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-7,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-7,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-7 name: gnat-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gnat,powerpc-linux-gnuspe-gnat-7,powerpc-linux-gnuspe-gnatbind,powerpc-linux-gnuspe-gnatbind-7,powerpc-linux-gnuspe-gnatchop,powerpc-linux-gnuspe-gnatchop-7,powerpc-linux-gnuspe-gnatclean,powerpc-linux-gnuspe-gnatclean-7,powerpc-linux-gnuspe-gnatfind,powerpc-linux-gnuspe-gnatfind-7,powerpc-linux-gnuspe-gnatgcc,powerpc-linux-gnuspe-gnathtml,powerpc-linux-gnuspe-gnathtml-7,powerpc-linux-gnuspe-gnatkr,powerpc-linux-gnuspe-gnatkr-7,powerpc-linux-gnuspe-gnatlink,powerpc-linux-gnuspe-gnatlink-7,powerpc-linux-gnuspe-gnatls,powerpc-linux-gnuspe-gnatls-7,powerpc-linux-gnuspe-gnatmake,powerpc-linux-gnuspe-gnatmake-7,powerpc-linux-gnuspe-gnatname,powerpc-linux-gnuspe-gnatname-7,powerpc-linux-gnuspe-gnatprep,powerpc-linux-gnuspe-gnatprep-7,powerpc-linux-gnuspe-gnatxref,powerpc-linux-gnuspe-gnatxref-7 name: gnat-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-7,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-7,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-7,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-7,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-7,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-7,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-7,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-7,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-7,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-7,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-7,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-7,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-7 name: gnat-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-7,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-7,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-7,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-7,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-7,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-7,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-7,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-7,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-7,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-7,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-7,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-7,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-7 name: gnat-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-7,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-7,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-7,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-7,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-7,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-7,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-7,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-7,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-7,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-7,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-7,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-7,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-7 name: gnat-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-7,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-7,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-7,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-7,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-7,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-7,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-7,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-7,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-7,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-7,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-7,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-7,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-7 name: gnat-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-7,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-7,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-7,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-7,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-7,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-7,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-7,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-7,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-7,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-7,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-7,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-7,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-7,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-7,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-7,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-7,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-7,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-7,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-7,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-7,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-7,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-7,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-7,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-7,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8,x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-8,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-8,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-8,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-8,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-8,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-8,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-8,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-8,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-8,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-8,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-8,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-8,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-8 name: gnat-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-8,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-8,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-8,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-8,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-8,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-8,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-8,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-8,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-8,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-8,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-8,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-8,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-8 name: gnat-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-8,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-8,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-8,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-8,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-8,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-8,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-8,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-8,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-8,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-8,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-8,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-8,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-8 name: gnat-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-8,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-8,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-8,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-8,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-8,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-8,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-8,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-8,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-8,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-8,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-8,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-8,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-8 name: gnat-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-8,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-8,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-8,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-8,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-8,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-8,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-8,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-8,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-8,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-8,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-8,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-8,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-8 name: gnat-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-8,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-8,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-8,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-8,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-8,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-8,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-8,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-8,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-8,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-8,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-8,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-8,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-8 name: gnat-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-8,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-8,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-8,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-8,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-8,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-8,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-8,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-8,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-8,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-8,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-8,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-8,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-8 name: gnat-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-8,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-8,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-8,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-8,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-8,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-8,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-8,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-8,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-8,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-8,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-8,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-8,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-8 name: gnat-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-8,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-8,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-8,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-8,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-8,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-8,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-8,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-8,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-8,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-8,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-8,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-8,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-8 name: gnat-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gnat,mips64-linux-gnuabi64-gnat-8,mips64-linux-gnuabi64-gnatbind,mips64-linux-gnuabi64-gnatbind-8,mips64-linux-gnuabi64-gnatchop,mips64-linux-gnuabi64-gnatchop-8,mips64-linux-gnuabi64-gnatclean,mips64-linux-gnuabi64-gnatclean-8,mips64-linux-gnuabi64-gnatfind,mips64-linux-gnuabi64-gnatfind-8,mips64-linux-gnuabi64-gnatgcc,mips64-linux-gnuabi64-gnathtml,mips64-linux-gnuabi64-gnathtml-8,mips64-linux-gnuabi64-gnatkr,mips64-linux-gnuabi64-gnatkr-8,mips64-linux-gnuabi64-gnatlink,mips64-linux-gnuabi64-gnatlink-8,mips64-linux-gnuabi64-gnatls,mips64-linux-gnuabi64-gnatls-8,mips64-linux-gnuabi64-gnatmake,mips64-linux-gnuabi64-gnatmake-8,mips64-linux-gnuabi64-gnatname,mips64-linux-gnuabi64-gnatname-8,mips64-linux-gnuabi64-gnatprep,mips64-linux-gnuabi64-gnatprep-8,mips64-linux-gnuabi64-gnatxref,mips64-linux-gnuabi64-gnatxref-8 name: gnat-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-8,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-8,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-8,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-8,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-8,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-8,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-8,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-8,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-8,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-8,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-8,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-8,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-8 name: gnat-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-8,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-8,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-8,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-8,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-8,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-8,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-8,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-8,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-8,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-8,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-8,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-8,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-8 name: gnat-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-8,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-8,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-8,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-8,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-8,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-8,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-8,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-8,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-8,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-8,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-8,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-8,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-8 name: gnat-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gnat,powerpc-linux-gnuspe-gnat-8,powerpc-linux-gnuspe-gnatbind,powerpc-linux-gnuspe-gnatbind-8,powerpc-linux-gnuspe-gnatchop,powerpc-linux-gnuspe-gnatchop-8,powerpc-linux-gnuspe-gnatclean,powerpc-linux-gnuspe-gnatclean-8,powerpc-linux-gnuspe-gnatfind,powerpc-linux-gnuspe-gnatfind-8,powerpc-linux-gnuspe-gnatgcc,powerpc-linux-gnuspe-gnathtml,powerpc-linux-gnuspe-gnathtml-8,powerpc-linux-gnuspe-gnatkr,powerpc-linux-gnuspe-gnatkr-8,powerpc-linux-gnuspe-gnatlink,powerpc-linux-gnuspe-gnatlink-8,powerpc-linux-gnuspe-gnatls,powerpc-linux-gnuspe-gnatls-8,powerpc-linux-gnuspe-gnatmake,powerpc-linux-gnuspe-gnatmake-8,powerpc-linux-gnuspe-gnatname,powerpc-linux-gnuspe-gnatname-8,powerpc-linux-gnuspe-gnatprep,powerpc-linux-gnuspe-gnatprep-8,powerpc-linux-gnuspe-gnatxref,powerpc-linux-gnuspe-gnatxref-8 name: gnat-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-8,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-8,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-8,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-8,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-8,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-8,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-8,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-8,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-8,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-8,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-8,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-8,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-8 name: gnat-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-8,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-8,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-8,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-8,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-8,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-8,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-8,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-8,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-8,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-8,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-8,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-8,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-8 name: gnat-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-8,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-8,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-8,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-8,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-8,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-8,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-8,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-8,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-8,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-8,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-8,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-8,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-8 name: gnat-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-8,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-8,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-8,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-8,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-8,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-8,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-8,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-8,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-8,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-8,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-8,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-8,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-8 name: gnat-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-8,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-8,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-8,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-8,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-8,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-8,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-8,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-8,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-8,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-8,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-8,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-8,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-8,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-8,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-8,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-8,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-8,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-8,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-8,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-8,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-8,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-8,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-8,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-8,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-video-arcade version: 0.8.8-2ubuntu1 commands: gnome-video-arcade name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnu-smalltalk version: 3.2.5-1.1 commands: gst,gst-convert,gst-doc,gst-load,gst-package,gst-profile,gst-reload,gst-remote,gst-sunit name: gnu-smalltalk-browser version: 3.2.5-1.1 commands: gst-browser name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gobgpd version: 1.29-1 commands: gobgp,gobgpd,gobmpd name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-easyjson version: 0.0~git20161103.0.159cdb8-1 commands: easyjson name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldencheetah version: 1:3.5~DEV1710-1.1build1 commands: GoldenCheetah name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpomme version: 1.39~dfsg-4build2 commands: gpomme name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprolog version: 1.4.5-4.1 commands: gplc,gprolog,hexgplc,ma2asm,pl2wam,prolog,wam2ma name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpsbabel-gui version: 1.5.4-2 commands: gpsbabelfe name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpsshogi version: 0.7.0-2build4 commands: gpsshell,gpsshogi,gpsshogi-viewer,gpsusi name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-client version: 8.1.9+dfsg-7build1 commands: qacct,qalter,qconf,qdel,qhold,qhost,qlogin,qmake_sge,qmod,qping,qquota,qrdel,qresub,qrls,qrsh,qrstat,qrsub,qsched,qselect,qsh,qstat,qstatus,qsub,qtcsh name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridengine-exec version: 8.1.9+dfsg-7build1 commands: sge_coshepherd,sge_execd,sge_shepherd name: gridengine-master version: 8.1.9+dfsg-7build1 commands: sge_qmaster,sge_shadowd name: gridengine-qmon version: 8.1.9+dfsg-7build1 commands: qmon name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: grml2usb version: 0.16.0 commands: grml2iso,grml2usb name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grub-emu version: 2.02-2ubuntu8 commands: grub-emu,grub-emu-lite name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gubbins version: 2.3.1-1 commands: gubbins_drawer,run_gubbins name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gunroar version: 0.15.dfsg1-9 commands: gunroar name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: guymager version: 0.8.7-1 commands: guymager name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handbrake version: 1.1.0+ds1-1ubuntu1 commands: ghb,handbrake,handbrake-gtk name: handbrake-cli version: 1.1.0+ds1-1ubuntu1 commands: HandBrakeCLI name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashcat version: 4.0.1-1 commands: hashcat name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdapsd version: 1:20141203-1build1 commands: hdapsd name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: health-check version: 0.02.09-1 commands: health-check name: heaptrack version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack,heaptrack_print name: heaptrack-gui version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack_gui name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: hedgewars version: 0.9.24.1-dfsg-2 commands: hedgewars name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: herwig++ version: 2.6.0-1.1build2 commands: Herwig++ name: herwig++-dev version: 2.6.0-1.1build2 commands: herwig-config name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hhsuite version: 3.0~beta2+dfsg-3 commands: hhalign,hhblits,hhblits_omp,hhconsensus,hhfilter,hhmake,hhsearch name: hhvm version: 3.21.0+dfsg-2ubuntu2 commands: hh_client,hh_format,hh_server,hhvm,php name: hhvm-dbg version: 3.21.0+dfsg-2ubuntu2 commands: hhvm-gdb,hhvm-leak-isolator name: hhvm-dev version: 3.21.0+dfsg-2ubuntu2 commands: hphpize name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hinge version: 0.5.0-3 commands: hinge name: hisat2 version: 2.1.0-1 commands: hisat2,hisat2-align-l,hisat2-align-s,hisat2-build,hisat2-build-l,hisat2-build-s,hisat2-inspect,hisat2-inspect-l,hisat2-inspect-s name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hockeypuck version: 1.0~rel20140413+7a1892a~trusty.1 commands: hockeypuck name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: horst version: 5.0-2 commands: horst name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hprof-conv version: 7.0.0+r33-1 commands: hprof-conv name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsail-tools version: 0~20170314-3 commands: HSAILasm name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hsc version: 1.0b-0ubuntu2 commands: hsc,hscdepp,hscpitt name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugepages version: 2.19-0ubuntu1 commands: cpupcstat,hugeadm,hugectl,hugeedit,pagesize name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-dump-hwdata,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i7z version: 0.27.2+git2013.10.12-g5023138-4 commands: i7z,i7z_rw_registers name: i810switch version: 0.6.5-7.1build1 commands: i810rotate,i810switch name: i8c version: 0.0.6-1 commands: i8c,i8x name: i8kutils version: 1.43 commands: i8kctl,i8kfan,i8kmon name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iannix version: 0.9.20~dfsg0-2 commands: iannix name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibam version: 1:0.5.2-2.1ubuntu2 commands: ibam name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibniz version: 1.18-1build1 commands: ibniz name: ibod version: 1.5.0-6build1 commands: ibod name: ibsim-utils version: 0.7-2 commands: ibsim name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: iem-plugin-suite-standalone version: 1.1.1-1 commands: iem-plugin-binauraldecoder,iem-plugin-directionalcompressor,iem-plugin-directivityshaper,iem-plugin-dualdelay,iem-plugin-energyvisualizer,iem-plugin-fdnreverb,iem-plugin-matrixmultiplicator,iem-plugin-multiencoder,iem-plugin-omnicompressor,iem-plugin-probedecoder,iem-plugin-roomencoder,iem-plugin-simpledecoder,iem-plugin-stereoencoder,iem-plugin-toolbox name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifrit version: 4.1.2-5build1 commands: ifrit name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: ii-esu version: 1.0a.dfsg1-8 commands: ii-esu name: iiod version: 0.10-3 commands: iiod name: ikarus version: 0.0.3+bzr.2010.01.26-4ubuntu1 commands: ikarus,scheme-script name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagevis3d version: 3.1.0-6 commands: imagevis3d,uvfconvert name: imagination version: 3.0-7build1 commands: imagination name: imapcopy version: 1.04-2.1 commands: imapcopy name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: img2simg version: 1:7.0.0+r33-2 commands: img2simg name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infernal version: 1.1.2-1 commands: cmalign,cmbuild,cmcalibrate,cmconvert,cmemit,cmfetch,cmpress,cmscan,cmsearch,cmstat name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: influxdb version: 1.1.1+dfsg1-4 commands: influxd name: influxdb-client version: 1.1.1+dfsg1-4 commands: influx name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel-cmt-cat version: 1.2.0-1 commands: pqos,pqos-msr,pqos-os,rdtset name: intel2gas version: 1.3.3-17 commands: intel2gas name: inteltool version: 1:20140825-1build1 commands: inteltool name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ion version: 3.2.1+dfsg-1.1 commands: acsadmin,acslist,amsbenchr,amsbenchs,amsd,amshello,amslog,amslogprt,amsshell,amsstop,aoslsi,aoslso,bpadmin,bpcancel,bpchat,bpclock,bpcounter,bpcp,bpcpd,bpdriver,bpecho,bping,bplist,bprecvfile,bpsendfile,bpsink,bpsource,bpstats,bpstats2,bptrace,bputa,brsccla,brsscla,bssStreamingApp,bsscounter,bssdriver,bsspadmin,bsspcli,bsspclo,bsspclock,bssrecv,cfdpadmin,cfdpclock,cfdptest,cgrfetch,dccpcli,dccpclo,dccplsi,dccplso,dgr2file,dgrcla,dtn2admin,dtn2adminep,dtn2fw,dtnperf_vION,dtpcadmin,dtpcclock,dtpcd,dtpcreceive,dtpcsend,file2dgr,file2sdr,file2sm,file2tcp,file2udp,hmackeys,imcadmin,imcfw,ionadmin,ionexit,ionrestart,ionscript,ionsecadmin,ionstart,ionstop,ionwarn,ipnadmin,ipnadminep,ipnfw,killm,lgagent,lgsend,ltpadmin,ltpcli,ltpclo,ltpclock,ltpcounter,ltpdriver,ltpmeter,nm_agent,nm_mgr,owltsim,owlttb,psmshell,psmwatch,ramsgate,rfxclock,sdatest,sdr2file,sdrmend,sdrwatch,sm2file,smlistsh,stcpcli,stcpclo,tcp2file,tcpbsi,tcpbso,tcpcli,tcpclo,udp2file,udpbsi,udpbso,udpcli,udpclo,udplsi,udplso name: ioping version: 1.0-2 commands: ioping name: ioport version: 1.2-1 commands: inb,inl,inw,outb,outl,outw name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: iqtree version: 1.6.1+dfsg-1 commands: iqtree,iqtree-mpi,iqtree-omp name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: iraf version: 2.16.1+2018.03.10-2 commands: irafcl,sgidispatch name: iraf-dev version: 2.16.1+2018.03.10-2 commands: generic,mkpkg,xc,xyacc name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: ismrmrd-tools version: 1.3.3-1build2 commands: ismrmrd_generate_cartesian_shepp_logan,ismrmrd_info,ismrmrd_read_timing_test,ismrmrd_recon_cartesian_2d,ismrmrd_test_xml name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itksnap version: 3.6.0-2 commands: itksnap name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iva version: 1.0.9+ds-4ubuntu1 commands: iva,iva_qc,iva_qc_make_db name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish version: 2.2.8-3build1 commands: jellyfish name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dial,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kaddressbook version: 4:17.12.3-0ubuntu1 commands: kaddressbook name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kalarm version: 4:17.12.3-0ubuntu1 commands: kalarm,kalarmautostart name: kalgebra version: 4:17.12.3-0ubuntu1 commands: calgebra,kalgebra name: kalgebramobile version: 4:17.12.3-0ubuntu1 commands: kalgebramobile name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kde-telepathy-text-ui version: 4:17.12.3-0ubuntu1 commands: ktp-log-viewer name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdepim-addons version: 17.12.3-0ubuntu2 commands: kmail_antivir,kmail_clamav,kmail_fprot,kmail_sav name: kdepim-runtime version: 4:17.12.3-0ubuntu2 commands: akonadi_akonotes_resource,akonadi_birthdays_resource,akonadi_contacts_resource,akonadi_davgroupware_resource,akonadi_ews_resource,akonadi_ewsmta_resource,akonadi_facebook_resource,akonadi_googlecalendar_resource,akonadi_googlecontacts_resource,akonadi_ical_resource,akonadi_icaldir_resource,akonadi_imap_resource,akonadi_invitations_agent,akonadi_kalarm_dir_resource,akonadi_kalarm_resource,akonadi_kolab_resource,akonadi_maildir_resource,akonadi_maildispatcher_agent,akonadi_mbox_resource,akonadi_migration_agent,akonadi_mixedmaildir_resource,akonadi_newmailnotifier_agent,akonadi_notes_resource,akonadi_openxchange_resource,akonadi_pop3_resource,akonadi_tomboynotes_resource,akonadi_vcard_resource,akonadi_vcarddir_resource,gidmigrator name: kdepim-themeeditors version: 4:17.12.3-0ubuntu1 commands: contactprintthemeeditor,contactthemeeditor,headerthemeeditor name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb version: 1.0b4+ds-14 commands: kgb name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmer version: 2.1.2+dfsg-3 commands: khmer name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kicad version: 4.0.7+dfsg1-1ubuntu2 commands: _cvpcb.kiface,_eeschema.kiface,_gerbview.kiface,_pcb_calculator.kiface,_pcbnew.kiface,_pl_editor.kiface,bitmap2component,dxf2idf,eeschema,gerbview,idf2vrml,idfcyl,idfrect,kicad,pcb_calculator,pcbnew,pl_editor name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kissplice version: 2.4.0-p1-2 commands: kissplice name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmail version: 4:17.12.3-0ubuntu1 commands: akonadi_archivemail_agent,akonadi_followupreminder_agent,akonadi_mailfilter_agent,akonadi_sendlater_agent,kmail name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knot-resolver version: 2.1.1-1 commands: kresc,kresd name: knotes version: 4:17.12.3-0ubuntu1 commands: akonadi_notes_agent,knotes name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:17.12.3-0ubuntu1 commands: fsview name: konqueror version: 4:17.12.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: konsolekalendar version: 4:17.12.3-0ubuntu1 commands: calendarjanitor,konsolekalendar name: kontact version: 4:17.12.3-0ubuntu1 commands: kontact name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: korganizer version: 4:17.12.3-0ubuntu2 commands: korgac,korganizer name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpatch version: 0.5.0-0ubuntu1 commands: kpatch name: kpatch-build version: 0.5.0-0ubuntu1 commands: kpatch-build name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: krita version: 1:4.0.1+dfsg-0ubuntu1 commands: krita,kritarunner name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktnef version: 4:17.12.3-0ubuntu1 commands: ktnef name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubrick version: 4:17.12.3-0ubuntu2 commands: kubrick name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvmtool version: 0.20170904-1 commands: lkvm name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladspalist version: 3.7.1~repack-2 commands: ladspalist name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latrace version: 0.5.11-1 commands: latrace,latrace-ctl name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazarus-ide-1.8 version: 1.8.2+dfsg-3 commands: lazarus-ide,lazarus-ide-1.8.2,startlazarus,startlazarus-1.8.2 name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcl-utils-1.8 version: 1.8.2+dfsg-3 commands: lazbuild-1.8.2,lazres-1.8.2,lrstolfm-1.8.2,svn2revisioninc-1.8.2,updatepofiles-1.8.2 name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldc version: 1:1.8.0-1 commands: ldc-build-runtime,ldc-profdata,ldc-prune-cache,ldc2,ldmd2 name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: lepton version: 1.2.1+20170405-3build1 commands: lepton name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfabric1 version: 1.5.3-1 commands: fi_info,fi_pingpong,fi_strerror name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libfst-tools version: 1.6.3-2 commands: farcompilestrings,farcreate,farequal,farextract,farinfo,farisomorphic,farprintstrings,fstarcsort,fstclosure,fstcompile,fstcompose,fstcompress,fstconcat,fstconnect,fstconvert,fstdeterminize,fstdifference,fstdisambiguate,fstdraw,fstencode,fstepsnormalize,fstequal,fstequivalent,fstinfo,fstintersect,fstinvert,fstisomorphic,fstlinear,fstloglinearapply,fstmap,fstminimize,fstprint,fstproject,fstprune,fstpush,fstrandgen,fstrandmod,fstrelabel,fstreplace,fstreverse,fstreweight,fstrmepsilon,fstshortestdistance,fstshortestpath,fstsymbols,fstsynchronize,fsttopsort,fstunion,mpdtcompose,mpdtexpand,mpdtinfo,mpdtreverse,pdtcompose,pdtexpand,pdtinfo,pdtreplace,pdtreverse,pdtshortestpath name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgst-dev version: 3.2.5-1.1 commands: gst-config name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5incidenceeditor-bin version: 17.12.3-0ubuntu1 commands: kincidenceeditor name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblldb-5.0 version: 1:5.0.1-4 commands: liblldb-intel-mpxtable.so-5.0 name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemkind-progs version: 1.1.0-0ubuntu1 commands: memkind-hbw-nodes name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libndpi-bin version: 2.2-1 commands: ndpiReader name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libngram-tools version: 1.3.2-3 commands: ngramapply,ngramcontext,ngramcount,ngramhisttest,ngraminfo,ngrammake,ngrammarginalize,ngrammerge,ngramperplexity,ngramprint,ngramrandgen,ngramrandtest,ngramread,ngramshrink,ngramsort,ngramsplit,ngramsymbols,ngramtransfer name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnvtt-bin version: 2.0.8-1+dfsg-8.1 commands: nvassemble,nvcompress,nvddsinfo,nvdecompress,nvimgdiff,nvzoom name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopenafs-dev version: 1.8.0~pre5-1 commands: afs_compile_et,rxgen name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpocl-dev version: 1.1-5 commands: poclcc name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: x86_64-linux-gnu-python3.7-dbg-config,x86_64-linux-gnu-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: x86_64-linux-gnu-python3.7-config,x86_64-linux-gnu-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librheolef-dev version: 6.7-6 commands: rheolef-config name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: librivet-dev version: 1.8.3-2build1 commands: rivet-config name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libsoqt-dev-common version: 1.6.0~e8310f-4 commands: soqt-config name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcflib-tools version: 1.0.0~rc1+dfsg1-6 commands: vcflib,vcfstreamsort,vcfuniq name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtk7-java version: 7.1.1+dfsg1-2 commands: vtkParseJava-7.1,vtkWrapJava-7.1 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxenomai-dev version: 2.6.4+dfsg-1 commands: xeno-config name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: likwid version: 4.3.1+dfsg1-1 commands: feedGnuplot,likwid-accessD,likwid-bench,likwid-features,likwid-genTopoCfg,likwid-memsweeper,likwid-mpirun,likwid-perfctr,likwid-perfscope,likwid-pin,likwid-powermeter,likwid-setFreq,likwid-setFrequencies,likwid-topology name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lld-4.0 version: 1:4.0.1-10 commands: ld.lld-4.0,lld-4.0,lld-link-4.0 name: lld-5.0 version: 1:5.0.1-4 commands: ld.lld-5.0,lld-5.0,lld-link-5.0 name: lldb-3.9 version: 1:3.9.1-19ubuntu1 commands: lldb-3.9,lldb-3.9.1-3.9,lldb-argdumper-3.9,lldb-mi-3.9,lldb-mi-3.9.1-3.9,lldb-server-3.9,lldb-server-3.9.1-3.9 name: lldb-4.0 version: 1:4.0.1-10 commands: lldb-4.0,lldb-4.0.1-4.0,lldb-argdumper-4.0,lldb-mi-4.0,lldb-mi-4.0.1-4.0,lldb-server-4.0,lldb-server-4.0.1-4.0 name: lldb-5.0 version: 1:5.0.1-4 commands: lldb-5.0,lldb-argdumper-5.0,lldb-mi-5.0,lldb-server-5.0 name: lldb-6.0 version: 1:6.0-1ubuntu2 commands: lldb-6.0,lldb-argdumper-6.0,lldb-mi-6.0,lldb-server-6.0,lldb-test-6.0 name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: isadump,isaset,sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadlin version: 1.6f-5 commands: freeramdisk name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luajit version: 2.1.0~beta3+dfsg-5.1 commands: luajit name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: mame version: 0.195+dfsg.1-2 commands: mame name: mame-tools version: 0.195+dfsg.1-2 commands: castool,chdman,floptool,imgtool,jedutil,ldresample,ldverify,romcmp name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: manaplus version: 1.8.2.17-1 commands: manaplus name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-plugin-tokudb version: 1:10.1.29-6 commands: tokuft_logprint,tokuftdump name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marionnet version: 0.90.6+bzr508-1 commands: marionnet,marionnet-daemon,marionnet_telnet.sh,port-helper name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: matroxset version: 0.4-9 commands: matroxset name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mbmon version: 2.05-9 commands: mbmon,mbmon-rrd name: mbox-importer version: 17.12.3-0ubuntu1 commands: mboximporter name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,diagraphica,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lpsxsim,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsgraph,ltsinfo,ltsview,mcrl2-gui,mcrl22lps,mcrl2compilerewriter,mcrl2i,mcrl2xi,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memleax version: 1.1.1-1 commands: memleax name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshlab version: 1.3.2+dfsg1-4 commands: meshlab,meshlabserver name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mit-scheme version: 9.1.1-5build3 commands: mit-scheme,mit-scheme-x86-64,scheme name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mixxx version: 2.0.0~dfsg-9 commands: mixxx name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkelfimage version: 2.7-7build1 commands: mkelfImage name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: ml-burg version: 110.79-4 commands: ml-burg name: ml-lex version: 110.79-4 commands: ml-lex name: ml-lpt version: 110.79-4 commands: ml-antlr,ml-ulex name: ml-nlffigen version: 110.79-4 commands: ml-nlffigen name: ml-yacc version: 110.79-4 commands: ml-yacc name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlterm version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tiny version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tools version: 3.8.4-1build1 commands: mlcc,mlclient name: mlton-compiler version: 20130715-3 commands: mlton name: mlton-tools version: 20130715-3 commands: mllex,mlnlffigen,mlprof,mlyacc name: mlucas version: 14.1-2 commands: mlucas name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mm3d version: 1.3.9+git20180220-1 commands: mm3d name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongodb-clients version: 1:3.6.3-0ubuntu1 commands: mongo,mongoperf name: mongodb-server-core version: 1:3.6.3-0ubuntu1 commands: mongod,mongos name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-boehm version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-boehm name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,pedump,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpqc3 version: 0.0~git20170114-4ubuntu1 commands: mpqc3 name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrbayes version: 3.2.6+dfsg-2 commands: mb name: mrbayes-mpi version: 3.2.6+dfsg-2 commands: mb-mpi name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mricron version: 0.20140804.1~dfsg.1-2 commands: dcm2nii,dcm2niigui,mricron,mricron-npm name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrs version: 6.0.5+dfsg-3ubuntu1 commands: mrs name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: msrtool version: 1:20141027-1.1ubuntu1 commands: msrtool name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: mu-cade version: 0.11.dfsg1-12 commands: mu-cade name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mudlet version: 1:3.7.1-1 commands: mudlet name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: mupen64plus-qt version: 1.11-1 commands: mupen64plus-qt name: mupen64plus-ui-console version: 2.5-3 commands: mupen64plus name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutextrace version: 0.1.4-1build1 commands: mutextrace name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nageru version: 1.6.4-2build2 commands: kaeru,nageru name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nam version: 1.15-4 commands: nam name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nanopolish version: 0.9.0-1 commands: nanopolish name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbc version: 1.2.1.r4+dfsg-8 commands: nbc name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndisgtk version: 0.8.5-1ubuntu1 commands: ndisgtk name: ndiswrapper version: 1.60-6 commands: loadndisdriver,ndiswrapper,ndiswrapper-buginfo name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-openmpi version: 3.7.2-7.4build2 commands: NPopenmpi,NPopenmpi2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neuron version: 7.5-1 commands: nrngui,nrniv,nrnoc name: neuron-dev version: 7.5-1 commands: nrnivmodl name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nictools-pci version: 1.3.8-2build1 commands: alta-diag,eepro100-diag,epic-diag,myson-diag,natsemi-diag,ne2k-pci-diag,ns820-diag,pci-config,pcnet-diag,rtl8139-diag,starfire-diag,tulip-diag,via-diag,vortex-diag,winbond-diag,yellowfin-diag name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: nim version: 0.17.2-1ubuntu2 commands: nim,nimble,nimgrep,nimsuggest name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomacs version: 3.8.0+dfsg-4 commands: nomacs name: nomad version: 0.4.0+dfsg-1 commands: nomad name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: notary version: 0.1~ds1-1 commands: notary,notary-server name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: nowhere version: 110.79-4 commands: nowhere name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns2 version: 2.35+dfsg-2.1 commands: calcdest,dec-tr-stat,epa-tr-stat,nlanr-tr-stat,ns,nse,nstk,setdest,ucb-tr-stat name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntopng version: 3.2+dfsg1-1 commands: ntopng name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numatop version: 1.0.4-8 commands: numatop name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nvram-wakeup version: 1.1-4build1 commands: biosinfo,cat_nvram,guess,guess-helper,nvram-wakeup,rtc name: nvramtool version: 0.0+r3669-2.2build1 commands: nvramtool name: nvtv version: 0.4.7-8build1 commands: nvdump,nvtv,nvtvd name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwchem version: 6.6+r27746-4build1 commands: nwchem name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oaklisp version: 1.3.6-2build1 commands: oaklisp name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-studio version: 21.0.2+dfsg1-1 commands: obs name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mingw-w64-i686 version: 4.01.0~20140328-1build6 commands: i686-w64-mingw32-ocamlc,i686-w64-mingw32-ocamlcp,i686-w64-mingw32-ocamldep,i686-w64-mingw32-ocamlmklib,i686-w64-mingw32-ocamlmktop,i686-w64-mingw32-ocamlopt,i686-w64-mingw32-ocamlprof,i686-w64-mingw32-ocamlrun name: ocaml-mingw-w64-x86-64 version: 4.01.0~20140328-1build6 commands: x86_64-w64-mingw32-ocamlc,x86_64-w64-mingw32-ocamlcp,x86_64-w64-mingw32-ocamldep,x86_64-w64-mingw32-ocamlmklib,x86_64-w64-mingw32-ocamlmktop,x86_64-w64-mingw32-ocamlopt,x86_64-w64-mingw32-ocamlprof,x86_64-w64-mingw32-ocamlrun name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: octovis version: 1.8.1+dfsg-1 commands: octovis name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggvideotools version: 0.9.1-4 commands: mkThumbs,oggCat,oggCut,oggDump,oggJoin,oggLength,oggSilence,oggSlideshow,oggSplit,oggThumb,oggTranscode name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: onedrive version: 1.1.20170919-2ubuntu2 commands: onedrive name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: open-vm-tools-desktop version: 2:10.2.0-3ubuntu3 commands: vmware-user-suid-wrapper name: openafs-client version: 1.8.0~pre5-1 commands: afs-up,afsd,afsio,afsmonitor,backup,bos,butc,cmdebug,fms,fs,fstrace,livesys,pagsh,pagsh.openafs,pts,restorevol,rmtsysd,rxdebug,scout,sys,tokens,translate_et,udebug,unlog,vos,xstat_cm_test,xstat_fs_test name: openafs-dbserver version: 1.8.0~pre5-1 commands: afs-newcell,afs-rootvol,prdb_check,pt_util,read_tape,vldb_check name: openafs-fileserver version: 1.8.0~pre5-1 commands: bos_util,bosserver,dafssync-debug,fssync-debug,salvsync-debug,state_analyzer,voldump,volinfo,volscan name: openafs-fuse version: 1.8.0~pre5-1 commands: afsd.fuse name: openafs-krb5 version: 1.8.0~pre5-1 commands: akeyconvert,aklog,asetkey,klog,klog.krb5 name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: openchrome-tool version: 1:0.6.0-3 commands: via_regs_dump name: opencity version: 0.0.6.5stable-3 commands: opencity name: openclonk version: 8.0-2 commands: c4group,openclonk name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,iv,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openjfx version: 8u161-b12-1ubuntu2 commands: javafxpackager,javapackager name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni-utils version: 1.5.4.0-14build1 commands: NiViewer,Sample-NiAudioSample,Sample-NiBackRecorder,Sample-NiCRead,Sample-NiConvertXToONI,Sample-NiHandTracker,Sample-NiRecordSynthetic,Sample-NiSimpleCreate,Sample-NiSimpleRead,Sample-NiSimpleSkeleton,Sample-NiSimpleViewer,Sample-NiUserSelection,Sample-NiUserTracker,niLicense,niReg name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgframerenderer,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-debian-images version: 1.25 commands: build-openstack-debian-image name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: optgeo version: 2.25-1 commands: optgeo name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orpie version: 1.5.2-2 commands: orpie,orpie-curses-keys name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovito version: 2.9.0+dfsg1-5ubuntu2 commands: ovito,ovitos name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palo version: 2.00 commands: palo name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: papi-tools version: 5.6.0-1 commands: papi_avail,papi_clockres,papi_command_line,papi_component_avail,papi_cost,papi_decode,papi_error_codes,papi_event_chooser,papi_mem_info,papi_multiplex_cost,papi_native_avail,papi_version,papi_xml_event_info name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parafly version: 0.0.2013.01.21-3build1 commands: ParaFly name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parley version: 4:17.12.3-0ubuntu1 commands: parley name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parsec47 version: 0.2.dfsg1-9 commands: parsec47 name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasdoc version: 0.15.0-1 commands: pasdoc name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patat version: 0.5.2.2-2 commands: patat name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: paxtest version: 1:0.9.14-2 commands: paxtest name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbbamtools version: 0.7.4+ds-1build2 commands: pbindex,pbindexdump,pbmerge name: pbbarcode version: 0.8.0-4ubuntu1 commands: pbbarcode name: pbdagcon version: 0.3+20161121+ds-1 commands: dazcon,pbdagcon name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_ground_based_rgbd_people_detector,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_image_grabber_saver,pcl_image_grabber_viewer,pcl_in_hand_scanner,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_manual_registration,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_modeler,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_ni_agast,pcl_ni_brisk,pcl_ni_linemod,pcl_ni_susan,pcl_ni_trajkovic,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_offline_integration,pcl_oni2pcd,pcl_oni_viewer,pcl_openni2_viewer,pcl_openni_3d_concave_hull,pcl_openni_3d_convex_hull,pcl_openni_boundary_estimation,pcl_openni_change_viewer,pcl_openni_face_detector,pcl_openni_fast_mesh,pcl_openni_feature_persistence,pcl_openni_grabber_depth_example,pcl_openni_grabber_example,pcl_openni_ii_normal_estimation,pcl_openni_image,pcl_openni_klt,pcl_openni_mls_smoothing,pcl_openni_mobile_server,pcl_openni_octree_compression,pcl_openni_organized_compression,pcl_openni_organized_edge_detection,pcl_openni_organized_multi_plane_segmentation,pcl_openni_passthrough,pcl_openni_pcd_recorder,pcl_openni_planar_convex_hull,pcl_openni_planar_segmentation,pcl_openni_save_image,pcl_openni_shift_to_depth_conversion,pcl_openni_tracking,pcl_openni_uniform_sampling,pcl_openni_viewer,pcl_openni_voxel_grid,pcl_organized_pcd_to_png,pcl_organized_segmentation_demo,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_grabber_viewer,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pcd_video_player,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_point_cloud_editor,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pd-scaf version: 1:0.14.1+darcs20180201-1 commands: scafc name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pep8-simul version: 8.1.3+ds1-2 commands: pep8-simul name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perftest version: 4.1+0.2.g770623f-1 commands: ib_atomic_bw,ib_atomic_lat,ib_read_bw,ib_read_lat,ib_send_bw,ib_send_lat,ib_write_bw,ib_write_lat,raw_ethernet_burst_lat,raw_ethernet_bw,raw_ethernet_fs_rate,raw_ethernet_lat,run_perftest_loopback,run_perftest_multi_devices name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: pesign version: 0.112-4 commands: authvar,efikeygen,efisiglist,pesigcheck,pesign,pesign-client name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pftools version: 3+dfsg-2build1 commands: 2ft,6ft,pfdump,pfgtop,pfhtop,pfmake,pfscale,pfscan,pfsearch,pfsearchV3,pfw,psa2msa,ptof,ptoh name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgloader version: 3.4.1+dfsg-1 commands: pgloader name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: pianobooster version: 0.6.7~svn156-1 commands: pianobooster name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picolisp version: 17.12+20180218-1 commands: picolisp,pil name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pim-data-exporter version: 4:17.12.3-0ubuntu1 commands: pimsettingexporter,pimsettingexporterconsole name: pim-sieve-editor version: 4:17.12.3-0ubuntu1 commands: sieveeditor name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-config-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-pkg-config name: pkg-config-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-pkg-config name: pkg-config-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-pkg-config name: pkg-config-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-pkg-config name: pkg-config-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-pkg-config name: pkg-config-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-pkg-config name: pkg-config-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-pkg-config name: pkg-config-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-pkg-config name: pkg-config-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-pkg-config name: pkg-config-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-pkg-config name: pkg-config-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-pkg-config name: pkg-config-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-pkg-config name: pkg-config-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-pkg-config name: pkg-config-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-pkg-config name: pkg-config-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-pkg-config name: pkg-config-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-pkg-config name: pkg-config-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-pkg-config name: pkg-config-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-pkg-config name: pkg-config-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-pkg-config name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plast version: 2.3.1+dfsg-4 commands: plast name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plink1.9 version: 1.90~b5.2-180109-1 commands: plink1.9 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: pnetcdf-bin version: 1.9.0-2 commands: ncmpidiff,ncmpidump,ncmpigen,ncoffsets,ncvalidator,pnetcdf-config,pnetcdf_version name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pommed version: 1.39~dfsg-4build2 commands: pommed name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: praat version: 6.0.37-2 commands: praat,praat-open-files,praat_nogui,sendpraat name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primer3 version: 2.4.0-1ubuntu2 commands: ntdpal,ntthal,oligotm,primer3_core name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: primus version: 0~20150328-6 commands: primusrun name: princeprocessor version: 0.21-3 commands: princeprocessor name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectl version: 1.001.dfsg1-9 commands: projectl name: projectm-jack version: 2.1.0+dfsg-4build1 commands: projectM-jack name: projectm-pulseaudio version: 2.1.0+dfsg-4build1 commands: projectM-pulseaudio name: prolix version: 0.03-1 commands: prolix name: prometheus version: 2.1.0+ds-1 commands: prometheus,promtool name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: proot version: 5.1.0-1.2 commands: proot name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: psortb version: 3.0.5+dfsg-1ubuntu1 commands: psort name: pspg version: 0.9.3-1 commands: pspg name: pspp version: 1.0.1-1 commands: pspp,pspp-convert,pspp-dump-sav,psppire name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: psst version: 0.1-4 commands: psst name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstack version: 1.3.1-1build1 commands: pstack name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purify version: 2.0.0-2 commands: purify name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-htseq version: 0.6.1p1-4build1 commands: htseq-count,htseq-qa name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-numba version: 0.34.0-3 commands: numba name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-woo version: 1.0+dfsg1-2 commands: woo,woo-batch name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-numba version: 0.34.0-3 commands: numba name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyraf version: 2.1.14+dfsg-6 commands: pyraf name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapPython-7.1,vtkWrapPythonInit-7.1 name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-woo version: 1.0+dfsg1-2 commands: woo-py3,woo-py3-batch name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qconf version: 2.4-3 commands: qt-qconf name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiime version: 1.8.0+dfsg-4ubuntu1 commands: qiime name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlandkartegt version: 1.8.1+ds-8build4 commands: cache2gtiff,map2gcm,map2jnx,map2rmap,map2rmp,qlandkartegt name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qstopmotion version: 2.3.2-1 commands: qstopmotion name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtiplot version: 0.9.8.9-17 commands: qtiplot name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quorum version: 1.1.1-1 commands: merge_mate_pairs,quorum,quorum_create_database,quorum_error_correct_reads,split_mate_pairs name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racket version: 6.11+dfsg1-1 commands: drracket,gracket,gracket-text,mred,mred-text,mzc,mzpp,mzscheme,mztext,pdf-slatex,plt-games,plt-help,plt-r5rs,plt-r6rs,plt-web-server,racket,raco,scribble,setup-plt,slatex,slideshow,swindle name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: raincat version: 1.1.1.2-3 commands: raincat name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rapmap version: 0.5.0+dfsg-3 commands: RunRapMap.sh,rapmap,rapmap_pseudoindex,rapmap_pseudomap,rapmap_quasiindex,rapmap_quasimap name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasmol version: 2.7.5.2-2 commands: rasmol,rasmol-classic,rasmol-gtk name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: raxml version: 8.2.11+dfsg-1 commands: raxmlHPC,raxmlHPC-PTHREADS,raxmlHPC-PTHREADS-AVX,raxmlHPC-PTHREADS-SSE3 name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rcs-blame version: 1.3.1-4 commands: blame name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reapr version: 1.0.18+dfsg-3 commands: reapr name: rear version: 2.3+dfsg-1 commands: rear name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: ree version: 1.3-4 commands: fontdump,ree name: refind version: 0.11.2-1 commands: mkrlconf,mvrefind,refind-install,refind-mkdefault name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: reptyr version: 0.6.2-1.2 commands: reptyr name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rheolef version: 6.7-6 commands: bamg,bamg2geo,branch,csr,field,geo,mkgeo_ball,mkgeo_grid,mkgeo_ugrid,msh2geo name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: rio version: 1.07-12 commands: rio name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkt version: 1.29.0+dfsg-1 commands: rkt name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rna-star version: 2.5.4b+dfsg-1 commands: STAR name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rovclock version: 0.6e-7build1 commands: rovclock name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rr version: 5.1.0-1 commands: rr,signal-rr-recording name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbac-admin version: 1.4.0-repack-0ubuntu6 commands: acl_grant,acl_group,acl_mask,acl_rights,acl_rm_user,acl_tlist,attr_back_dev,attr_back_fd,attr_back_group,attr_back_net,attr_back_user,attr_get_fd,attr_get_file_dir,attr_get_group,attr_get_ipc,attr_get_net,attr_get_process,attr_get_up,attr_get_user,attr_rm_fd,attr_rm_file_dir,attr_rm_user,attr_set_fd,attr_set_file_dir,attr_set_group,attr_set_ipc,attr_set_net,attr_set_process,attr_set_up,attr_set_user,auth_back_cap,auth_set_cap,backup_all,backup_all_1.1.2,daz_flush,get_attribute_name,get_attribute_nr,linux2acl,mac_back_trusted,mac_get_levels,mac_set_trusted,mac_wrap,net_temp,pm_create,pm_ct_exec,rc_copy_role,rc_copy_type,rc_get_current_role,rc_get_eff_rights_fd,rc_get_item,rc_role_wrap,rc_set_item,rsbac_acl_group_menu,rsbac_acl_menu,rsbac_auth,rsbac_check,rsbac_dev_menu,rsbac_fd_menu,rsbac_gpasswd,rsbac_group_menu,rsbac_groupadd,rsbac_groupdel,rsbac_groupmod,rsbac_groupshow,rsbac_init,rsbac_jail,rsbac_list_ta,rsbac_login,rsbac_menu,rsbac_netdev_menu,rsbac_nettemp_def_menu,rsbac_nettemp_menu,rsbac_passwd,rsbac_pm,rsbac_process_menu,rsbac_rc_role_menu,rsbac_rc_type_menu,rsbac_settings_menu,rsbac_stats,rsbac_stats_pm,rsbac_user_menu,rsbac_useradd,rsbac_userdel,rsbac_usermod,rsbac_usershow,rsbac_version,rsbac_write,switch_adf_log,switch_module,user_aci name: rsbac-klogd version: 1.4.0-repack-0ubuntu6 commands: rklogd,rklogd-viewer name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsem version: 1.2.31+dfsg-1 commands: convert-sam-for-rsem,extract-transcript-to-gene-map-from-trinity,rsem-bam2readdepth,rsem-bam2wig,rsem-build-read-index,rsem-calculate-credibility-intervals,rsem-calculate-expression,rsem-control-fdr,rsem-extract-reference-transcripts,rsem-gen-transcript-plots,rsem-generate-data-matrix,rsem-generate-ngvector,rsem-get-unique,rsem-gff3-to-gtf,rsem-parse-alignments,rsem-plot-model,rsem-plot-transcript-wiggles,rsem-prepare-reference,rsem-preref,rsem-refseq-extract-primary-assembly,rsem-run-ebseq,rsem-run-em,rsem-run-gibbs,rsem-sam-validator,rsem-scan-for-paired-end-reads,rsem-simulate-reads,rsem-synthesis-reference-transcripts,rsem-tbam2gbam name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-ferret version: 0.11.8.6-2build3 commands: ferret-browser name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salmon version: 0.7.2+ds1-3 commands: salmon name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: sambamba version: 0.6.7-2 commands: sambamba name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sbcl version: 2:1.4.5-1 commands: sbcl name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme2c version: 2012.10.14-1ubuntu1 commands: s2cc,s2cdecl,s2ch,s2ci,s2cixl,scc,sch,sci,scixl name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: XML2Modelica,modelicac,modelicat,scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scm version: 5f2-2 commands: scm name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scolily version: 0.4.1-0ubuntu5 commands: scolily name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: sdrangelove version: 0.0.1.20150707-2build3 commands: sdrangelove name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seed-webkit2 version: 4.0.0+20161014+6c77960+dfsg1-5build1 commands: seed name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,splazers,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sga version: 0.10.15-3 commands: sga,sga-align,sga-astat,sga-bam2de,sga-mergeDriver name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shelxle version: 1.0.888-1 commands: shelxle name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simg2img version: 1:7.0.0+r33-2 commands: simg2img name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbios-utils version: 2.4.1-1 commands: dellLcdBrightness,dellWirelessCtl,getSystemId,smbios-battery-ctl,smbios-get-ut-data,smbios-keyboard-ctl,smbios-lcd-brightness,smbios-passwd,smbios-state-byte-ctl,smbios-sys-info,smbios-sys-info-lite,smbios-thermal-ctl,smbios-token-ctl,smbios-upflag-ctl,smbios-wakeup-ctl,smbios-wireless-ctl name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smlnj version: 110.79-4 commands: ml-build,ml-makedepend,sml name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-aligner version: 1.0~beta.18+dfsg-2 commands: SNAPCommand,snap-aligner name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-jack version: 18.1-1 commands: snd,snd.gtk-jack name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapdenovo version: 1.05-4 commands: soapdenovo-127mer,soapdenovo-31mer,soapdenovo-63mer name: soapdenovo2 version: 241+dfsg-1 commands: soapdenovo2-127mer,soapdenovo2-63mer name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofa-apps version: 1.0~beta4-12 commands: sofa name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-pi version: 2.10.0~repack-2.1 commands: sonic-pi name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortmerna version: 2.1-2 commands: indexdb_rna,sortmerna name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.qt,ssr-binaural,ssr-binaural.qt,ssr-brs,ssr-brs.qt,ssr-generic,ssr-generic.qt,ssr-nfc-hoa,ssr-nfc-hoa.qt,ssr-vbap,ssr-vbap.qt,ssr-wfs,ssr-wfs.qt name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundscaperenderer-nox version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.nox,ssr-binaural,ssr-binaural.nox,ssr-brs,ssr-brs.nox,ssr-generic,ssr-generic.nox,ssr-nfc-hoa,ssr-nfc-hoa.nox,ssr-vbap,ssr-vbap.nox,ssr-wfs,ssr-wfs.nox name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spades version: 3.11.1+dfsg-1 commands: dipspades,dipspades.py,metaspades,metaspades.py,plasmidspades,plasmidspades.py,rnaspades,rnaspades.py,spades,spades.py,truspades,truspades.py name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse,sparse-llvm,sparsec name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphde-utils version: 1.3.0-1 commands: sasutil name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: split-select version: 1:7.0.0+r33-1 commands: split-select name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: spring version: 104.0+dfsg-2 commands: pr-downloader,spring,spring-dedicated,spring-headless name: springlobby version: 0.263+dfsg-1 commands: springlobby name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: sra-toolkit version: 2.8.2-5+dfsg-1 commands: abi-dump,abi-load,align-info,bam-load,cache-mgr,cg-load,copycat,fastdump,fastq-dump,fastq-load,helicos-load,illumina-dump,illumina-load,kar,kdbmeta,latf-load,pacbio-load,prefetch,rcexplain,remote-fuser,sam-dump,sff-dump,sff-load,sra-pileup,sra-sort,sra-stat,srapath,srf-load,test-sra,vdb-config,vdb-copy,vdb-decrypt,vdb-dump,vdb-encrypt,vdb-get,vdb-lock,vdb-passwd,vdb-unlock,vdb-validate name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srst2 version: 0.2.0-5 commands: VFDB_cdhit_to_csv,VFDBgenus,csv_to_gene_db,get_all_vfdb,get_genus_vfdb,getmlst,slurm_srst2,srst2 name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: ssw-align version: 1.1-1 commands: ssw-align,ssw_test name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalin version: 0.11-6build1 commands: stalin name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stressapptest version: 1.0.6-2build1 commands: stressapptest name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: structure-synth version: 1.5.0-3 commands: structure-synth name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subread version: 1.6.0+dfsg-1 commands: exactSNP,featureCounts,subindel,subjunc,sublong,subread-align,subread-buildindex name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-supernova version: 1:3.8.0~repack-2 commands: supernova name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superiotool version: 0.0+r6637-1build1 commands: superiotool name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-hyperscan version: 3.2-2ubuntu3 commands: suricata,suricata.hyperscan name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarm version: 2.2.2+dfsg-1 commands: swarm name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysbench version: 1.0.11+ds-1 commands: sysbench name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslinux-utils version: 3:6.03+dfsg1-2 commands: gethostip,isohybrid,isohybrid.pl,lss16toppm,md5pass,memdiskfind,mkdiskimage,ppmtolss16,pxelinux-options,sha1pass,syslinux2ansi name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysprof version: 3.28.1-1 commands: sysprof,sysprof-cli name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts version: 1.5.5.37.g1687c02-1 commands: tarantar,tarantool_box name: tarantool-lts-client version: 1.5.5.37.g1687c02-1 commands: tarantool name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tatan version: 1.0.dfsg1-8 commands: tatan name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tboot version: 1.9.6-0ubuntu1 commands: acminfo,lcp2_crtpol,lcp2_crtpolelt,lcp2_crtpollist,lcp2_mlehash,lcp_crtpconf,lcp_crtpol,lcp_crtpol2,lcp_crtpolelt,lcp_crtpollist,lcp_mlehash,lcp_readpol,lcp_writepol,parse_err,tb_polgen,tpmnv_defindex,tpmnv_getcap,tpmnv_lock,tpmnv_relindex,txt-stat name: tcc version: 0.9.27-5 commands: cc,tcc name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapTcl-7.1,vtkWrapTclInit-7.1 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tclcl version: 1.20-8build1 commands: otcldoc,tcl2c++ name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teeworlds version: 0.6.4+dfsg-1 commands: teeworlds name: teeworlds-server version: 0.6.4+dfsg-1 commands: teeworlds-server name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tendermint version: 0.8.0+git20170113.0.764091d-2 commands: tendermint name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: tetzle version: 2.1.2+dfsg1-1 commands: tetzle name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg version: 1.8.0-3build1 commands: runThePEG,setupThePEG name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilix version: 1.7.7-1ubuntu2 commands: tilix,tilix.wrapper,x-terminal-emulator name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: titanion version: 0.3.dfsg1-7 commands: titanion name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: tophat version: 2.1.1+dfsg1-1 commands: bam2fastx,bam_merge,bed_to_juncs,contig_to_chr_coords,fix_map_ordering,gtf_juncs,gtf_to_fasta,juncs_db,long_spanning_reads,map2gtf,prep_reads,sam_juncs,segment_juncs,sra_to_solid,tophat,tophat-fusion-post,tophat2,tophat_reports name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torbrowser-launcher version: 0.2.9-2 commands: torbrowser-launcher name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: torus-trooper version: 0.22.dfsg1-11 commands: torus-trooper name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpb version: 0.6.4-11 commands: tpb name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: trafficserver version: 7.1.2+ds-3 commands: traffic_cop,traffic_crashlog,traffic_ctl,traffic_layout,traffic_logcat,traffic_logstats,traffic_manager,traffic_server,traffic_top,traffic_via,traffic_wccp,tspush name: trafficserver-dev version: 7.1.2+ds-3 commands: tsxs name: traildb-cli version: 0.6+dfsg1-1 commands: tdb name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transgui version: 5.0.1-5.1 commands: transgui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: trinityrnaseq version: 2.5.1+dfsg-2 commands: Trinity name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tumiki-fighters version: 0.2.dfsg1-8 commands: tumiki-fighters name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxcmd version: 0.6.70+dfsg-2 commands: tuxcmd name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: u3-tool version: 0.3-3 commands: u3-tool name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: uftrace version: 0.8.2-1 commands: uftrace name: ugene version: 1.25.0+dfsg-1 commands: ugene name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-help,uim-m17nlib-relink-icons,uim-module-manager,uim-sh,uim-toolbar name: uim-el version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-el-agent,uim-el-helper-agent name: uim-fep version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-fep,uim-fep-tick name: uim-gtk2.0 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk,uim-input-pad-ja,uim-pref-gtk,uim-toolbar,uim-toolbar-gtk,uim-toolbar-gtk-systray name: uim-gtk3 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk3,uim-input-pad-ja-gtk3,uim-pref-gtk3,uim-toolbar,uim-toolbar-gtk3,uim-toolbar-gtk3-systray name: uim-qt5 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-chardict-qt5,uim-im-switcher-qt5,uim-pref-qt5,uim-toolbar,uim-toolbar-qt5 name: uim-xim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-xim name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: umview version: 0.8.2-1.1build1 commands: kmview,mstack,um_add_service,um_attach,um_del_service,um_fsalias,um_ls_service,umshutdown,umview,viewmount,viewname,viewsu,viewsudo,viewumount,vuname name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: urweb version: 20170720+dfsg-2build1 commands: urweb name: usb-creator-kde version: 0.3.5 commands: usb-creator-kde name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ushare version: 1.1a-0ubuntu10 commands: ushare name: ussp-push version: 0.11-4 commands: ussp-push name: uswsusp version: 1.0+20120915-6.1build1 commands: s2both,s2disk,s2ram,swap-offset name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvp-monitor version: 2.2.0.316-0ubuntu1 commands: uvp-monitor name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-luajit version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_lua,uwsgi_luajit name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-v8 version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_v8 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: v86d version: 0.1.10-1build1 commands: v86d name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: val-and-rick version: 0.1a.dfsg1-6~build1 commands: val-and-rick name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbetool version: 1.1-4 commands: vbetool name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vboot-kernel-utils version: 0~R63-10032.B-3 commands: futility,futility_s,vbutil_kernel name: vboot-utils version: 0~R63-10032.B-3 commands: bdb_extend,bmpblk_font,bmpblk_utility,chromeos-tpm-recovery,crossystem,crossystem_s,dev_debug_vboot,dev_make_keypair,dumpRSAPublicKey,dump_fmap,dump_kernel_config,eficompress,efidecompress,enable_dev_usb_boot,gbb_utility,load_kernel_test,pad_digest_utility,signature_digest_utility,tpm-nvsize,tpm_init_temp_fix,tpmc,vbutil_firmware,vbutil_key,vbutil_keyblock,vbutil_what_keys,verify_data name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: view3dscene version: 3.18.0-2 commands: tovrmlx3d,view3dscene name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,spice-xpi-client-remote-viewer,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtualjaguar version: 2.1.3-2 commands: virtualjaguar name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: vish version: 0.0.20130812-1build1 commands: vish name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: vite version: 1.2+svn1430-6 commands: vite name: viva version: 1.2-1.1 commands: viva,vv_treemap name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmg version: 3.7.1-3 commands: vmg name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: vowpal-wabbit version: 8.5.0.dfsg1-1 commands: active_interactor,ezexample_predict,ezexample_train,spanning_tree,vw name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vsearch version: 2.7.1-1 commands: vsearch name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtk7 version: 7.1.1+dfsg1-2 commands: vtk7,vtkEncodeString-7.1,vtkHashSource-7.1,vtkParseOGLExt-7.1,vtkWrapHierarchy-7.1 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzctl version: 4.9.4-5 commands: arpsend,ndsend,vzcalc,vzcfgvalidate,vzcptcheck,vzcpucheck,vzctl,vzeventd,vzfsync,vzifup-post,vzlist,vzmemcheck,vzmigrate,vznetaddbr,vznetcfg,vznnc,vzoversell,vzpid,vzsplit,vztmpl-dl,vzubc name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzquota version: 3.1-3 commands: vzdqcheck,vzdqdump,vzdqload,vzquota name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w1retap version: 1.4.4-3 commands: w1find,w1retap,w1sensors name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcc version: 0.0.2+dfsg-3 commands: wcc,wcch,wld,wldd,wsh name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: welcome2l version: 3.04-26build1 commands: Welcome2L,welcome2l name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: wine64 version: 3.0-1ubuntu1 commands: wine64-stable name: wine64-development version: 3.6-1 commands: wine64-development name: wine64-development-tools version: 3.6-1 commands: widl-development,winebuild-development,winecpp-development,winedump-development,wineg++-development,winegcc-development,winemaker-development,wmc-development,wrc-development name: wine64-tools version: 3.0-1ubuntu1 commands: widl-stable,winebuild-stable,winecpp-stable,winedump-stable,wineg++-stable,winegcc-stable,winemaker-stable,wmc-stable,wrc-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: winff-gtk2 version: 1.5.5-4 commands: winff,winff-gtk2 name: winff-qt version: 1.5.5-4 commands: winff,winff-qt name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wiredtiger version: 2.9.3+ds-1ubuntu2 commands: wt name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmpomme version: 1.39~dfsg-4build2 commands: wmpomme name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wraplinux version: 1.7-8build1 commands: wraplinux name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: x86info version: 1.31~pre0.8052aabdd159bc9050e7dc264f33782c5acce05f-1build1 commands: x86info name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcas version: 1.2.3.57+dfsg1-2build3 commands: cas_help,en_cas_help,es_cas_help,fr_cas_help,giac,icas,pgiac,xcas name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xenomai-system-tools version: 2.6.4+dfsg-1 commands: analogy_config,cmd_bits,cmd_read,cmd_write,insn_bits,insn_read,insn_write,rtcanconfig,rtcanrecv,rtcansend,rtps,wf_generate,wrap-link,xeno,xeno-regression-test,xeno-test name: xenstore-utils version: 4.9.2-0ubuntu1 commands: xenstore-chmod,xenstore-exists,xenstore-list,xenstore-ls,xenstore-read,xenstore-rm,xenstore-watch,xenstore-write name: xenwatch version: 0.5.4-4build1 commands: mdns-browser,mdns-publish-vnc,mdns-publish-xendom,vnc-client,xenlog,xenscreen,xenstore-gtk,xenwatch name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xflr5 version: 6.09.06-2build2 commands: xflr5 name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xindy version: 2.5.1.20160104-4build1 commands: tex2xindy,texindy,xindy name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmbmon version: 2.05-9 commands: xmbmon name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmir version: 2:1.19.6-1ubuntu4 commands: Xmir name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xserver-xspice version: 0.1.5-2build1 commands: Xspice name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvattr version: 1.3-0.6ubuntu1 commands: gxvattr,xvattr name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yacpi version: 3.0.1-1 commands: yacpi name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yade version: 2018.02b-1 commands: yade,yade-batch name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yap version: 6.2.2-6build1 commands: yap name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: yazc version: 0.3.6-1 commands: yazc name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youker-assistant version: 3.0.0-0ubuntu1 commands: kylin-assistant,kylin-assistant-backend.py,kylin-assistant-session.py,youker-assistant name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-fuse version: 0.7.0-18build1 commands: zdb,zfs,zfs-fuse,zpool,zstreamdump name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipalign version: 1:7.0.0+r33-1 commands: zipalign name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptime version: 1:7.0.0+r33-1 commands: ziptime name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: ztex-bmp version: 20120314-2 commands: bmp name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-arm640000664000000000000000000410220314202510314025133 0ustar suite: bionic component: universe arch: arm64 name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: aapt version: 1:7.0.0+r33-1 commands: aapt,aapt2 name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: acbuild version: 0.4.0+dfsg-2 commands: acbuild name: accerciser version: 3.22.0-5 commands: accerciser name: accountwizard version: 4:17.12.3-0ubuntu1 commands: accountwizard,ispdb name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adb version: 1:7.0.0+r33-2 commands: adb name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: afnix version: 2.8.1-1 commands: axc,axd,axi,axl name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aidl version: 1:7.0.0+r33-1 commands: aidl,aidl-cpp name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-import-wizard version: 17.12.3-0ubuntu2 commands: akonadiimportwizard name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: akonadiconsole version: 4:17.12.3-0ubuntu1 commands: akonadiconsole name: akregator version: 4:17.12.3-0ubuntu1 commands: akregator,akregatorstorageexporter name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algobox version: 1.0.2+dfsg-1 commands: algobox name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: androguard version: 3.1.0~rc2-1 commands: androarsc,androauto,androaxml,androdd,androdis,androgui,androlyze name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: android-tools-adbd version: 5.1.1.r38-1.1 commands: adbd name: android-tools-fsutils version: 5.1.1.r38-1.1 commands: ext2simg,ext4fixup,img2simg,make_ext4fs,mkuserimg,simg2img,simg2simg,simg_dump,test_ext4fixup name: android-tools-mkbootimg version: 5.1.1.r38-1.1 commands: mkbootimg name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arora version: 0.11.0+qt5+git2014-04-06-1 commands: arora,arora-cacheinfo,arora-placesimport,htmlToXBel name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avogadro version: 1.2.0-3 commands: avogadro,avopkg,qube name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: bagel version: 1.1.0-1 commands: BAGEL name: baitfisher version: 1.0+dfsg-2 commands: BaitFilter,BaitFisher name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bcftools version: 1.7-2 commands: bcftools,color-chrs.pl,guess-ploidy.py,plot-roh.py,plot-vcfstats,run-roh.pl,vcfutils.pl name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: bibletime version: 2.11.1-1 commands: bibletime name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-arm-linux-gnueabi version: 2.30-15ubuntu1 commands: arm-linux-gnueabi-addr2line,arm-linux-gnueabi-ar,arm-linux-gnueabi-as,arm-linux-gnueabi-c++filt,arm-linux-gnueabi-dwp,arm-linux-gnueabi-elfedit,arm-linux-gnueabi-gprof,arm-linux-gnueabi-ld,arm-linux-gnueabi-ld.bfd,arm-linux-gnueabi-ld.gold,arm-linux-gnueabi-nm,arm-linux-gnueabi-objcopy,arm-linux-gnueabi-objdump,arm-linux-gnueabi-ranlib,arm-linux-gnueabi-readelf,arm-linux-gnueabi-size,arm-linux-gnueabi-strings,arm-linux-gnueabi-strip name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: biom-format-tools version: 2.1.5+dfsg-7build2 commands: biom name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blasr version: 5.3+0-1build1 commands: bam2bax,bam2plx,bax2bam,blasr,loadPulses,pls2fasta,samFilter,samtoh5,samtom4,sawriter,sdpMatcher,toAfg name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: bowtie version: 1.2.2+dfsg-2 commands: bowtie,bowtie-align-l,bowtie-align-l-debug,bowtie-align-s,bowtie-align-s-debug,bowtie-build,bowtie-build-l,bowtie-build-l-debug,bowtie-build-s,bowtie-build-s-debug,bowtie-inspect,bowtie-inspect-l,bowtie-inspect-l-debug,bowtie-inspect-s,bowtie-inspect-s-debug name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildapp version: 1.5.6-1 commands: buildapp name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: burp version: 2.0.54-4build1 commands: bedup,bsigs,burp,burp_ca,vss_strip name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: cafeobj version: 1.5.7-1 commands: cafeobj name: caffe-tools-cpu version: 1.0.0-6 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cenon.app version: 4.0.2-1build3 commands: Cenon name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgpt version: 0~R63-10032.B-3 commands: cgpt name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: choreonoid version: 1.5.0+dfsg-0.1build3 commands: choreonoid name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-browser version: 65.0.3325.181-0ubuntu1 commands: chromium-browser,gnome-www-browser,x-www-browser name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: clementine version: 1.3.1+git276-g3485bbe43+dfsg-1.1build1 commands: clementine,clementine-tagreader name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clisp version: 1:2.49.20170913-4build1 commands: clisp,clisp-link name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectome-workbench version: 1.2.3+git41-gc4c6c90-2 commands: wb_command,wb_shortcuts,wb_view name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-cpp-4.8,cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-cpp-5,cpp-5 name: cpp-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-cpp-5 name: cpp-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-5 name: cpp-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-cpp-5 name: cpp-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-cpp-6,cpp-6 name: cpp-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-cpp-6 name: cpp-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-6 name: cpp-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-6 name: cpp-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-cpp-7 name: cpp-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-cpp-7 name: cpp-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-cpp-8,cpp-8 name: cpp-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-cpp-8 name: cpp-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-cpp-8 name: cpp-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-cpp-8 name: cpp-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-cpp name: cpp-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-cpp name: cpp-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-cpp name: cpp-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-cpp name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: cqrlog version: 2.0.5-3ubuntu1 commands: cqrlog name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: criu version: 3.6-2 commands: compel,crit,criu name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: cryptmount,cryptmount-setup name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: dapl2-utils version: 2.1.10.1.f1e05b7a-3 commands: dapltest,dtest,dtestcm,dtestsrq,dtestx name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darktable version: 2.4.2-1 commands: darktable,darktable-chart,darktable-cli,darktable-cltest,darktable-cmstest,darktable-generate-cache,darktable-rs-identify name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrescueview version: 0.4~alpha3-2 commands: ddrescueview name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debos version: 1.0.0+git20180112.6e577d4-1 commands: debos name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debug-me version: 1.20170810-1 commands: debug-me name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-screenshot version: 4.0.11-1 commands: deepin-screenshot name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deepnano version: 0.0+20160706-1ubuntu1 commands: deepnano_basecall,deepnano_basecall_no_metrichor name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dexdump version: 7.0.0+r33-1 commands: dexdump name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: direwolf version: 1.4+dfsg-1build1 commands: aclients,atest,decode_aprs,direwolf,gen_packets,log2gpx,text2tt,tt2text name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtracedump version: 7.0.0+r33-1 commands: dmtracedump name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin-emu version: 5.0+dfsg-2build1 commands: dolphin-emu name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doomsday version: 1.15.8-5build1 commands: boom,doom,doomsday,doomsday-compat,heretic,hexen name: doomsday-server version: 1.15.8-5build1 commands: doomsday-server name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dozzaqueux version: 3.51-2 commands: dozzaqueux name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: dq version: 20161210-1 commands: dq name: dqcache version: 20161210-1 commands: dqcache,dqcache-makekey,dqcache-start name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustracing2d version: 2.0.1-1 commands: dustrac-editor,dustrac-game name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: el-ixir version: 3.0-1 commands: el-ixir name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs-mozc-bin version: 2.20.2673.102+dfsg-2 commands: mozc_emacs_helper name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etc1tool version: 7.0.0+r33-1 commands: etc1tool name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d,evolver-nox-ld name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d,evolver-ogl-ld name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext3grep version: 0.10.2-3ubuntu1 commands: ext3grep name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: fakemachine version: 0.0~git20180126.e307c2f-1 commands: fakemachine name: faker version: 0.7.7-2 commands: faker name: faketime version: 0.9.7-2 commands: faketime name: falcon version: 1.8.8-1ubuntu1 commands: fc_run,fc_run.py name: falkon version: 3.0.0-0ubuntu3 commands: falkon,x-www-browser name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastboot version: 1:7.0.0+r33-2 commands: fastboot name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastnetmon version: 1.1.3+dfsg-6build1 commands: fastnetmon,fastnetmon_client name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidcl version: 0.3.1-4 commands: fdroidcl name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvmip name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fgrun version: 2016.4.0-1 commands: fgrun name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitgcp version: 0.0.20150429-1 commands: fitgcp name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flightgear version: 1:2018.1.1+dfsg-1 commands: GPSsmooth,JSBSim,MIDGsmooth,UGsmooth,fgcom,fgelev,fgfs,fgjs,fgtraffic,fgviewer,js_demo,metar,yasim,yasim-proptest name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmit version: 1.0.0-1build1 commands: fmit name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-compiler-3.0.4 version: 3.0.4+dfsg-18 commands: aarch64-linux-gnu-fpc-3.0.4,aarch64-linux-gnu-fpcmkcfg-3.0.4,aarch64-linux-gnu-fpcres-3.0.4,fpc,fpc-depends,fpc-depends-3.0.4,fpcres,pc,ppca64,ppca64-3.0.4 name: fp-ide-3.0.4 version: 3.0.4+dfsg-18 commands: fp,fp-3.0.4 name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fp-utils-3.0.4 version: 3.0.4+dfsg-18 commands: bin2obj,bin2obj-3.0.4,chmcmd,chmcmd-3.0.4,chmls,chmls-3.0.4,data2inc,data2inc-3.0.4,delp,delp-3.0.4,fd2pascal-3.0.4,fpcjres-3.0.4,fpclasschart,fpclasschart-3.0.4,fpcmake,fpcmake-3.0.4,fpcsubst,fpcsubst-3.0.4,fpdoc,fpdoc-3.0.4,fppkg,fppkg-3.0.4,fprcp,fprcp-3.0.4,grab_vcsa,grab_vcsa-3.0.4,h2pas,h2pas-3.0.4,h2paspp,h2paspp-3.0.4,ifpc,ifpc-3.0.4,instantfpc,makeskel,makeskel-3.0.4,pas2fpm-3.0.4,pas2jni-3.0.4,pas2ut-3.0.4,plex,plex-3.0.4,postw32,postw32-3.0.4,ppdep,ppdep-3.0.4,ppudump,ppudump-3.0.4,ppufiles,ppufiles-3.0.4,ppumove,ppumove-3.0.4,ptop,ptop-3.0.4,pyacc,pyacc-3.0.4,relpath,relpath-3.0.4,rmcvsdir,rmcvsdir-3.0.4,rstconv,rstconv-3.0.4,unitdiff,unitdiff-3.0.4 name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: fraqtive version: 0.4.8-5 commands: fraqtive name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecad version: 0.16.6712+dfsg1-1ubuntu2 commands: freecad,freecadcmd name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemat version: 4.2+dfsg1-6 commands: freemat name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fscrypt version: 0.2.2-0ubuntu2 commands: fscrypt name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsm-lite version: 1.0-2 commands: fsm-lite name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswatch version: 1.11.2+repack-10 commands: fswatch name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-g++-4.8,g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-g++-5,g++-5 name: g++-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-g++-5 name: g++-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-g++-5 name: g++-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-g++-5 name: g++-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-g++-6,g++-6 name: g++-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-g++-6 name: g++-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-g++-6 name: g++-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-g++-6 name: g++-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-g++-7 name: g++-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-g++-7 name: g++-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-g++-8,g++-8 name: g++-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-g++-8 name: g++-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-g++-8 name: g++-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-g++-8 name: g++-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-g++ name: g++-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-g++ name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g++-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-g++ name: g++-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-g++ name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gazebo9 version: 9.0.0+dfsg5-3ubuntu1 commands: gazebo,gazebo-9.0.0,gz,gz-9.0.0,gzclient,gzclient-9.0.0,gzprop,gzserver,gzserver-9.0.0 name: gb version: 0.4.4-2 commands: gb,gb-vendor name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-gcc-4.8,aarch64-linux-gnu-gcc-ar-4.8,aarch64-linux-gnu-gcc-nm-4.8,aarch64-linux-gnu-gcc-ranlib-4.8,aarch64-linux-gnu-gcov-4.8,gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-gcc-5,aarch64-linux-gnu-gcc-ar-5,aarch64-linux-gnu-gcc-nm-5,aarch64-linux-gnu-gcc-ranlib-5,aarch64-linux-gnu-gcov-5,aarch64-linux-gnu-gcov-dump-5,aarch64-linux-gnu-gcov-tool-5,gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5 name: gcc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gcc-5,arm-linux-gnueabi-gcc-ar-5,arm-linux-gnueabi-gcc-nm-5,arm-linux-gnueabi-gcc-ranlib-5,arm-linux-gnueabi-gcov-5,arm-linux-gnueabi-gcov-dump-5,arm-linux-gnueabi-gcov-tool-5 name: gcc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-5,arm-linux-gnueabihf-gcc-ar-5,arm-linux-gnueabihf-gcc-nm-5,arm-linux-gnueabihf-gcc-ranlib-5,arm-linux-gnueabihf-gcov-5,arm-linux-gnueabihf-gcov-dump-5,arm-linux-gnueabihf-gcov-tool-5 name: gcc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gcc-5,i686-linux-gnu-gcc-ar-5,i686-linux-gnu-gcc-nm-5,i686-linux-gnu-gcc-ranlib-5,i686-linux-gnu-gcov-5,i686-linux-gnu-gcov-dump-5,i686-linux-gnu-gcov-tool-5 name: gcc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-5,x86_64-linux-gnux32-gcc-ar-5,x86_64-linux-gnux32-gcc-nm-5,x86_64-linux-gnux32-gcc-ranlib-5,x86_64-linux-gnux32-gcov-5,x86_64-linux-gnux32-gcov-dump-5,x86_64-linux-gnux32-gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-gcc-6,aarch64-linux-gnu-gcc-ar-6,aarch64-linux-gnu-gcc-nm-6,aarch64-linux-gnu-gcc-ranlib-6,aarch64-linux-gnu-gcov-6,aarch64-linux-gnu-gcov-dump-6,aarch64-linux-gnu-gcov-tool-6,gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6 name: gcc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gcc-6,arm-linux-gnueabi-gcc-ar-6,arm-linux-gnueabi-gcc-nm-6,arm-linux-gnueabi-gcc-ranlib-6,arm-linux-gnueabi-gcov-6,arm-linux-gnueabi-gcov-dump-6,arm-linux-gnueabi-gcov-tool-6 name: gcc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-6,arm-linux-gnueabihf-gcc-ar-6,arm-linux-gnueabihf-gcc-nm-6,arm-linux-gnueabihf-gcc-ranlib-6,arm-linux-gnueabihf-gcov-6,arm-linux-gnueabihf-gcov-dump-6,arm-linux-gnueabihf-gcov-tool-6 name: gcc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gcc-6,i686-linux-gnu-gcc-ar-6,i686-linux-gnu-gcc-nm-6,i686-linux-gnu-gcc-ranlib-6,i686-linux-gnu-gcov-6,i686-linux-gnu-gcov-dump-6,i686-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gcc-6,x86_64-linux-gnu-gcc-ar-6,x86_64-linux-gnu-gcc-nm-6,x86_64-linux-gnu-gcc-ranlib-6,x86_64-linux-gnu-gcov-6,x86_64-linux-gnu-gcov-dump-6,x86_64-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-6,x86_64-linux-gnux32-gcc-ar-6,x86_64-linux-gnux32-gcc-nm-6,x86_64-linux-gnux32-gcc-ranlib-6,x86_64-linux-gnux32-gcov-6,x86_64-linux-gnux32-gcov-dump-6,x86_64-linux-gnux32-gcov-tool-6 name: gcc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gcc-7,arm-linux-gnueabi-gcc-ar-7,arm-linux-gnueabi-gcc-nm-7,arm-linux-gnueabi-gcc-ranlib-7,arm-linux-gnueabi-gcov-7,arm-linux-gnueabi-gcov-dump-7,arm-linux-gnueabi-gcov-tool-7 name: gcc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gcc-7,i686-linux-gnu-gcc-ar-7,i686-linux-gnu-gcc-nm-7,i686-linux-gnu-gcc-ranlib-7,i686-linux-gnu-gcov-7,i686-linux-gnu-gcov-dump-7,i686-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gcc-7,x86_64-linux-gnu-gcc-ar-7,x86_64-linux-gnu-gcc-nm-7,x86_64-linux-gnu-gcc-ranlib-7,x86_64-linux-gnu-gcov-7,x86_64-linux-gnu-gcov-dump-7,x86_64-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gcc-7,x86_64-linux-gnux32-gcc-ar-7,x86_64-linux-gnux32-gcc-nm-7,x86_64-linux-gnux32-gcc-ranlib-7,x86_64-linux-gnux32-gcov-7,x86_64-linux-gnux32-gcov-dump-7,x86_64-linux-gnux32-gcov-tool-7 name: gcc-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-gcc-8,aarch64-linux-gnu-gcc-ar-8,aarch64-linux-gnu-gcc-nm-8,aarch64-linux-gnu-gcc-ranlib-8,aarch64-linux-gnu-gcov-8,aarch64-linux-gnu-gcov-dump-8,aarch64-linux-gnu-gcov-tool-8,gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8 name: gcc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gcc-8,arm-linux-gnueabi-gcc-ar-8,arm-linux-gnueabi-gcc-nm-8,arm-linux-gnueabi-gcc-ranlib-8,arm-linux-gnueabi-gcov-8,arm-linux-gnueabi-gcov-dump-8,arm-linux-gnueabi-gcov-tool-8 name: gcc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gcc-8,arm-linux-gnueabihf-gcc-ar-8,arm-linux-gnueabihf-gcc-nm-8,arm-linux-gnueabihf-gcc-ranlib-8,arm-linux-gnueabihf-gcov-8,arm-linux-gnueabihf-gcov-dump-8,arm-linux-gnueabihf-gcov-tool-8 name: gcc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gcc-8,i686-linux-gnu-gcc-ar-8,i686-linux-gnu-gcc-nm-8,i686-linux-gnu-gcc-ranlib-8,i686-linux-gnu-gcov-8,i686-linux-gnu-gcov-dump-8,i686-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gcc-8,x86_64-linux-gnu-gcc-ar-8,x86_64-linux-gnu-gcc-nm-8,x86_64-linux-gnu-gcc-ranlib-8,x86_64-linux-gnu-gcov-8,x86_64-linux-gnu-gcov-dump-8,x86_64-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gcc-8,x86_64-linux-gnux32-gcc-ar-8,x86_64-linux-gnux32-gcc-nm-8,x86_64-linux-gnux32-gcc-ranlib-8,x86_64-linux-gnux32-gcov-8,x86_64-linux-gnux32-gcov-dump-8,x86_64-linux-gnux32-gcov-tool-8 name: gcc-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gcc,arm-linux-gnueabi-gcc-ar,arm-linux-gnueabi-gcc-nm,arm-linux-gnueabi-gcc-ranlib,arm-linux-gnueabi-gcov,arm-linux-gnueabi-gcov-dump,arm-linux-gnueabi-gcov-tool name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gcc,i686-linux-gnu-gcc-ar,i686-linux-gnu-gcc-nm,i686-linux-gnu-gcc-ranlib,i686-linux-gnu-gcov,i686-linux-gnu-gcov-dump,i686-linux-gnu-gcov-tool name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-msp430 version: 4.6.3~mspgcc-20120406-7ubuntu5 commands: msp430-c++,msp430-cpp,msp430-g++,msp430-gcc,msp430-gcc-4.6.3,msp430-gcov name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gcc-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gcc,x86_64-linux-gnu-gcc-ar,x86_64-linux-gnu-gcc-nm,x86_64-linux-gnu-gcc-ranlib,x86_64-linux-gnu-gcov,x86_64-linux-gnu-gcov-dump,x86_64-linux-gnu-gcov-tool name: gcc-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gcc,x86_64-linux-gnux32-gcc-ar,x86_64-linux-gnux32-gcc-nm,x86_64-linux-gnux32-gcc-ranlib,x86_64-linux-gnux32-gcov,x86_64-linux-gnux32-gcov-dump,x86_64-linux-gnux32-gcov-tool name: gccbrig-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccbrig-7 name: gccbrig-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccbrig-8 name: gccgo version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gccgo,gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-gccgo-4.8,gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-gccgo-5,gccgo-5,go-5,gofmt-5 name: gccgo-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-5 name: gccgo-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-5 name: gccgo-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gccgo-5 name: gccgo-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-gccgo-6,aarch64-linux-gnu-go-6,aarch64-linux-gnu-gofmt-6,gccgo-6,go-6,gofmt-6 name: gccgo-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-6 name: gccgo-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-6 name: gccgo-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-gccgo-7,aarch64-linux-gnu-go-7,aarch64-linux-gnu-gofmt-7,gccgo-7,go-7,gofmt-7 name: gccgo-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gccgo-7 name: gccgo-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gccgo-7 name: gccgo-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccgo-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-gccgo-8,aarch64-linux-gnu-go-8,aarch64-linux-gnu-gofmt-8,gccgo-8,go-8,gofmt-8 name: gccgo-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gccgo-8 name: gccgo-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gccgo-8 name: gccgo-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccgo-8 name: gccgo-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gccgo name: gccgo-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gccgo name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gccgo-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gccgo name: gccgo-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gccgo name: gccgo-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gccgo name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.90.20180111-0ubuntu2+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-msp430 version: 7.2a~mspgcc-20111205-3.1ubuntu1 commands: msp430-gdb,msp430-run name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gdc,gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-gdc-4.8,gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-gdc-5,gdc-5 name: gdc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gdc-5 name: gdc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-5 name: gdc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gdc-5 name: gdc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-gdc-6,gdc-6 name: gdc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gdc-6 name: gdc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-6 name: gdc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-gdc-7,gdc-7 name: gdc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gdc-7 name: gdc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gdc-7 name: gdc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-gdc-8,gdc-8 name: gdc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gdc-8 name: gdc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gdc-8 name: gdc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gdc-8 name: gdc-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gdc name: gdc-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gdc name: gdc-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gdc name: gdc-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gdc name: gdc-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gdc name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearhead version: 1.302-4 commands: gearhead name: gearhead-sdl version: 1.302-4 commands: gearhead-sdl name: gearhead2 version: 0.701-1 commands: gearhead2 name: gearhead2-sdl version: 0.701-1 commands: gearhead2-sdl name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: aarch64-linux-gnu-gfortran-4.8,gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-gfortran-5,gfortran-5 name: gfortran-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-5 name: gfortran-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-5 name: gfortran-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gfortran-5 name: gfortran-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-gfortran-6,gfortran-6 name: gfortran-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-6 name: gfortran-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-6 name: gfortran-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-6 name: gfortran-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gfortran-7 name: gfortran-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gfortran-7 name: gfortran-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gfortran-7 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-gfortran-8,gfortran-8 name: gfortran-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gfortran-8 name: gfortran-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gfortran-8 name: gfortran-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gfortran-8 name: gfortran-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gfortran name: gfortran-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gfortran name: gfortran-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gfortran name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfortran-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gfortran name: gfortran-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gfortran name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: gle-graphics version: 4.2.5-7 commands: gle,manip,qgle name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-mir name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-mir name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-5,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-5,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-5,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-5,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-5,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-5,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-5,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-5,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-5,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-5,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-5,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-5,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-5,gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5 name: gnat-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-5,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-5,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-5,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-5,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-5,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-5,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-5,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-5,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-5,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-5,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-5,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-5,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-5 name: gnat-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-5,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-5,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-5,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-5,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-5,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-5,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-5,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-5,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-5,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-5,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-5,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-5,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-5 name: gnat-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-5,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-5,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-5,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-5,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-5,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-5,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-5,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-5,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-5,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-5,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-5,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-5,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-6,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-6,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-6,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-6,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-6,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-6,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-6,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-6,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-6,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-6,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-6,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-6,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-6,gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6 name: gnat-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-6,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-6,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-6,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-6,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-6,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-6,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-6,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-6,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-6,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-6,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-6,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-6,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-6 name: gnat-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-6,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-6,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-6,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-6,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-6,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-6,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-6,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-6,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-6,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-6,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-6,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-6,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-6 name: gnat-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-6,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-6,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-6,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-6,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-6,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-6,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-6,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-6,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-6,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-6,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-6,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-6,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-6 name: gnat-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-6,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-6,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-6,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-6,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-6,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-6,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-6,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-6,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-6,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-6,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-6,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-6,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-7,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-7,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-7,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-7,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-7,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-7,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-7,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-7,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-7,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-7,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-7,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-7,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-7,gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7 name: gnat-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-7,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-7,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-7,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-7,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-7,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-7,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-7,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-7,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-7,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-7,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-7,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-7,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-7 name: gnat-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-7,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-7,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-7,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-7,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-7,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-7,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-7,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-7,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-7,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-7,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-7,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-7,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-7 name: gnat-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-7,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-7,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-7,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-7,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-7,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-7,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-7,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-7,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-7,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-7,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-7,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-7,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-7,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-7,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-7,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-7,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-7,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-7,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-7,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-7,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-7,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-7,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-7,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-7,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-7,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-7,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-7,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-7,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-7,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-7,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-7,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-7,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-7,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-7,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-7,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-7,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-8,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-8,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-8,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-8,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-8,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-8,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-8,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-8,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-8,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-8,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-8,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-8,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-8,gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8 name: gnat-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-8,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-8,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-8,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-8,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-8,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-8,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-8,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-8,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-8,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-8,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-8,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-8,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-8 name: gnat-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-8,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-8,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-8,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-8,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-8,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-8,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-8,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-8,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-8,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-8,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-8,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-8,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-8 name: gnat-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-8,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-8,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-8,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-8,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-8,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-8,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-8,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-8,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-8,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-8,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-8,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-8,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-8,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-8,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-8,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-8,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-8,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-8,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-8,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-8,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-8,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-8,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-8,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-8,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-8,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-8,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-8,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-8,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-8,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-8,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-8,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-8,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-8,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-8,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-8,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-8,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-video-arcade version: 0.8.8-2ubuntu1 commands: gnome-video-arcade name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnu-smalltalk version: 3.2.5-1.1 commands: gst,gst-convert,gst-doc,gst-load,gst-package,gst-profile,gst-reload,gst-remote,gst-sunit name: gnu-smalltalk-browser version: 3.2.5-1.1 commands: gst-browser name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-easyjson version: 0.0~git20161103.0.159cdb8-1 commands: easyjson name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpsbabel-gui version: 1.5.4-2 commands: gpsbabelfe name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-client version: 8.1.9+dfsg-7build1 commands: qacct,qalter,qconf,qdel,qhold,qhost,qlogin,qmake_sge,qmod,qping,qquota,qrdel,qresub,qrls,qrsh,qrstat,qrsub,qsched,qselect,qsh,qstat,qstatus,qsub,qtcsh name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridengine-exec version: 8.1.9+dfsg-7build1 commands: sge_coshepherd,sge_execd,sge_shepherd name: gridengine-master version: 8.1.9+dfsg-7build1 commands: sge_qmaster,sge_shadowd name: gridengine-qmon version: 8.1.9+dfsg-7build1 commands: qmon name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: guymager version: 0.8.7-1 commands: guymager name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: health-check version: 0.02.09-1 commands: health-check name: heaptrack version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack,heaptrack_print name: heaptrack-gui version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack_gui name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: hedgewars version: 0.9.24.1-dfsg-2 commands: hedgewars name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hinge version: 0.5.0-3 commands: hinge name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: horst version: 5.0-2 commands: horst name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hprof-conv version: 7.0.0+r33-1 commands: hprof-conv name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsail-tools version: 0~20170314-3 commands: HSAILasm name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hsc version: 1.0b-0ubuntu2 commands: hsc,hscdepp,hscpitt name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugepages version: 2.19-0ubuntu1 commands: cpupcstat,hugeadm,hugectl,hugeedit,pagesize name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i8c version: 0.0.6-1 commands: i8c,i8x name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibniz version: 1.18-1build1 commands: ibniz name: ibod version: 1.5.0-6build1 commands: ibod name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifrit version: 4.1.2-5build1 commands: ifrit name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: iiod version: 0.10-3 commands: iiod name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagevis3d version: 3.1.0-6 commands: imagevis3d,uvfconvert name: imagination version: 3.0-7build1 commands: imagination name: imapcopy version: 1.04-2.1 commands: imapcopy name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: influxdb version: 1.1.1+dfsg1-4 commands: influxd name: influxdb-client version: 1.1.1+dfsg1-4 commands: influx name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel2gas version: 1.3.3-17 commands: intel2gas name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ion version: 3.2.1+dfsg-1.1 commands: acsadmin,acslist,amsbenchr,amsbenchs,amsd,amshello,amslog,amslogprt,amsshell,amsstop,aoslsi,aoslso,bpadmin,bpcancel,bpchat,bpclock,bpcounter,bpcp,bpcpd,bpdriver,bpecho,bping,bplist,bprecvfile,bpsendfile,bpsink,bpsource,bpstats,bpstats2,bptrace,bputa,brsccla,brsscla,bssStreamingApp,bsscounter,bssdriver,bsspadmin,bsspcli,bsspclo,bsspclock,bssrecv,cfdpadmin,cfdpclock,cfdptest,cgrfetch,dccpcli,dccpclo,dccplsi,dccplso,dgr2file,dgrcla,dtn2admin,dtn2adminep,dtn2fw,dtnperf_vION,dtpcadmin,dtpcclock,dtpcd,dtpcreceive,dtpcsend,file2dgr,file2sdr,file2sm,file2tcp,file2udp,hmackeys,imcadmin,imcfw,ionadmin,ionexit,ionrestart,ionscript,ionsecadmin,ionstart,ionstop,ionwarn,ipnadmin,ipnadminep,ipnfw,killm,lgagent,lgsend,ltpadmin,ltpcli,ltpclo,ltpclock,ltpcounter,ltpdriver,ltpmeter,nm_agent,nm_mgr,owltsim,owlttb,psmshell,psmwatch,ramsgate,rfxclock,sdatest,sdr2file,sdrmend,sdrwatch,sm2file,smlistsh,stcpcli,stcpclo,tcp2file,tcpbsi,tcpbso,tcpcli,tcpclo,udp2file,udpbsi,udpbso,udpcli,udpclo,udplsi,udplso name: ioping version: 1.0-2 commands: ioping name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: iraf version: 2.16.1+2018.03.10-2 commands: irafcl,sgidispatch name: iraf-dev version: 2.16.1+2018.03.10-2 commands: generic,mkpkg,xc,xyacc name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: ismrmrd-tools version: 1.3.3-1build2 commands: ismrmrd_generate_cartesian_shepp_logan,ismrmrd_info,ismrmrd_read_timing_test,ismrmrd_recon_cartesian_2d,ismrmrd_test_xml name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itksnap version: 3.6.0-2 commands: itksnap name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iva version: 1.0.9+ds-4ubuntu1 commands: iva,iva_qc,iva_qc_make_db name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish version: 2.2.8-3build1 commands: jellyfish name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dial,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kaddressbook version: 4:17.12.3-0ubuntu1 commands: kaddressbook name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kalarm version: 4:17.12.3-0ubuntu1 commands: kalarm,kalarmautostart name: kalgebra version: 4:17.12.3-0ubuntu1 commands: calgebra,kalgebra name: kalgebramobile version: 4:17.12.3-0ubuntu1 commands: kalgebramobile name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kde-telepathy-text-ui version: 4:17.12.3-0ubuntu1 commands: ktp-log-viewer name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdepim-addons version: 17.12.3-0ubuntu2 commands: kmail_antivir,kmail_clamav,kmail_fprot,kmail_sav name: kdepim-runtime version: 4:17.12.3-0ubuntu2 commands: akonadi_akonotes_resource,akonadi_birthdays_resource,akonadi_contacts_resource,akonadi_davgroupware_resource,akonadi_ews_resource,akonadi_ewsmta_resource,akonadi_facebook_resource,akonadi_googlecalendar_resource,akonadi_googlecontacts_resource,akonadi_ical_resource,akonadi_icaldir_resource,akonadi_imap_resource,akonadi_invitations_agent,akonadi_kalarm_dir_resource,akonadi_kalarm_resource,akonadi_kolab_resource,akonadi_maildir_resource,akonadi_maildispatcher_agent,akonadi_mbox_resource,akonadi_migration_agent,akonadi_mixedmaildir_resource,akonadi_newmailnotifier_agent,akonadi_notes_resource,akonadi_openxchange_resource,akonadi_pop3_resource,akonadi_tomboynotes_resource,akonadi_vcard_resource,akonadi_vcarddir_resource,gidmigrator name: kdepim-themeeditors version: 4:17.12.3-0ubuntu1 commands: contactprintthemeeditor,contactthemeeditor,headerthemeeditor name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb version: 1.0b4+ds-14 commands: kgb name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmer version: 2.1.2+dfsg-3 commands: khmer name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kicad version: 4.0.7+dfsg1-1ubuntu2 commands: _cvpcb.kiface,_eeschema.kiface,_gerbview.kiface,_pcb_calculator.kiface,_pcbnew.kiface,_pl_editor.kiface,bitmap2component,dxf2idf,eeschema,gerbview,idf2vrml,idfcyl,idfrect,kicad,pcb_calculator,pcbnew,pl_editor name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kissplice version: 2.4.0-p1-2 commands: kissplice name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmail version: 4:17.12.3-0ubuntu1 commands: akonadi_archivemail_agent,akonadi_followupreminder_agent,akonadi_mailfilter_agent,akonadi_sendlater_agent,kmail name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knot-resolver version: 2.1.1-1 commands: kresc,kresd name: knotes version: 4:17.12.3-0ubuntu1 commands: akonadi_notes_agent,knotes name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:17.12.3-0ubuntu1 commands: fsview name: konqueror version: 4:17.12.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: konsolekalendar version: 4:17.12.3-0ubuntu1 commands: calendarjanitor,konsolekalendar name: kontact version: 4:17.12.3-0ubuntu1 commands: kontact name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: korganizer version: 4:17.12.3-0ubuntu2 commands: korgac,korganizer name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktnef version: 4:17.12.3-0ubuntu1 commands: ktnef name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvmtool version: 0.20170904-1 commands: lkvm name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladspalist version: 3.7.1~repack-2 commands: ladspalist name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazarus-ide-1.8 version: 1.8.2+dfsg-3 commands: lazarus-ide,lazarus-ide-1.8.2,startlazarus,startlazarus-1.8.2 name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcl-utils-1.8 version: 1.8.2+dfsg-3 commands: lazbuild-1.8.2,lazres-1.8.2,lrstolfm-1.8.2,svn2revisioninc-1.8.2,updatepofiles-1.8.2 name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: lepton version: 1.2.1+20170405-3build1 commands: lepton name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgst-dev version: 3.2.5-1.1 commands: gst-config name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5incidenceeditor-bin version: 17.12.3-0ubuntu1 commands: kincidenceeditor name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblldb-5.0 version: 1:5.0.1-4 commands: liblldb-intel-mpxtable.so-5.0 name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libndpi-bin version: 2.2-1 commands: ndpiReader name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnvtt-bin version: 2.0.8-1+dfsg-8.1 commands: nvassemble,nvcompress,nvddsinfo,nvdecompress,nvimgdiff,nvzoom name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpocl-dev version: 1.1-5 commands: poclcc name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: aarch64-linux-gnu-python3.7-dbg-config,aarch64-linux-gnu-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: aarch64-linux-gnu-python3.7-config,aarch64-linux-gnu-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librheolef-dev version: 6.7-6 commands: rheolef-config name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: librivet-dev version: 1.8.3-2build1 commands: rivet-config name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libsoqt-dev-common version: 1.6.0~e8310f-4 commands: soqt-config name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lldb-3.9 version: 1:3.9.1-19ubuntu1 commands: lldb-3.9,lldb-3.9.1-3.9,lldb-argdumper-3.9,lldb-mi-3.9,lldb-mi-3.9.1-3.9,lldb-server-3.9,lldb-server-3.9.1-3.9 name: lldb-4.0 version: 1:4.0.1-10 commands: lldb-4.0,lldb-4.0.1-4.0,lldb-argdumper-4.0,lldb-mi-4.0,lldb-mi-4.0.1-4.0,lldb-server-4.0,lldb-server-4.0.1-4.0 name: lldb-5.0 version: 1:5.0.1-4 commands: lldb-5.0,lldb-argdumper-5.0,lldb-mi-5.0,lldb-server-5.0 name: lldb-6.0 version: 1:6.0-1ubuntu2 commands: lldb-6.0,lldb-argdumper-6.0,lldb-mi-6.0,lldb-server-6.0,lldb-test-6.0 name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.7 version: 1:3.7.1-5ubuntu3 commands: bugpoint-3.7,llc-3.7,llvm-ar-3.7,llvm-as-3.7,llvm-bcanalyzer-3.7,llvm-config-3.7,llvm-cov-3.7,llvm-cxxdump-3.7,llvm-diff-3.7,llvm-dis-3.7,llvm-dsymutil-3.7,llvm-dwarfdump-3.7,llvm-extract-3.7,llvm-link-3.7,llvm-mc-3.7,llvm-mcmarkup-3.7,llvm-nm-3.7,llvm-objdump-3.7,llvm-pdbdump-3.7,llvm-profdata-3.7,llvm-ranlib-3.7,llvm-readobj-3.7,llvm-rtdyld-3.7,llvm-size-3.7,llvm-stress-3.7,llvm-symbolizer-3.7,llvm-tblgen-3.7,macho-dump-3.7,obj2yaml-3.7,opt-3.7,verify-uselistorder-3.7,yaml2obj-3.7 name: llvm-3.7-runtime version: 1:3.7.1-5ubuntu3 commands: lli-3.7,lli-child-target-3.7 name: llvm-3.7-tools version: 1:3.7.1-5ubuntu3 commands: FileCheck-3.7,count-3.7,not-3.7 name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luajit version: 2.1.0~beta3+dfsg-5.1 commands: luajit name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: mame version: 0.195+dfsg.1-2 commands: mame name: mame-tools version: 0.195+dfsg.1-2 commands: castool,chdman,floptool,imgtool,jedutil,ldresample,ldverify,romcmp name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: manaplus version: 1.8.2.17-1 commands: manaplus name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mbox-importer version: 17.12.3-0ubuntu1 commands: mboximporter name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,diagraphica,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lpsxsim,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsgraph,ltsinfo,ltsview,mcrl2-gui,mcrl22lps,mcrl2compilerewriter,mcrl2i,mcrl2xi,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memleax version: 1.1.1-1 commands: memleax name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshlab version: 1.3.2+dfsg1-4 commands: meshlab,meshlabserver name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlterm version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tiny version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tools version: 3.8.4-1build1 commands: mlcc,mlclient name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongodb-clients version: 1:3.6.3-0ubuntu1 commands: mongo,mongoperf name: mongodb-server-core version: 1:3.6.3-0ubuntu1 commands: mongod,mongos name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpqc3 version: 0.0~git20170114-4ubuntu1 commands: mpqc3 name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrbayes version: 3.2.6+dfsg-2 commands: mb name: mrbayes-mpi version: 3.2.6+dfsg-2 commands: mb-mpi name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mricron version: 0.20140804.1~dfsg.1-2 commands: dcm2nii,dcm2niigui,mricron,mricron-npm name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrs version: 6.0.5+dfsg-3ubuntu1 commands: mrs name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtail version: 3.0.0~rc5-1 commands: mtail name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mudlet version: 1:3.7.1-1 commands: mudlet name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutextrace version: 0.1.4-1build1 commands: mutextrace name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nageru version: 1.6.4-2build2 commands: kaeru,nageru name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nam version: 1.15-4 commands: nam name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbc version: 1.2.1.r4+dfsg-8 commands: nbc name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-openmpi version: 3.7.2-7.4build2 commands: NPopenmpi,NPopenmpi2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: nim version: 0.17.2-1ubuntu2 commands: nim,nimble,nimgrep,nimsuggest name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomacs version: 3.8.0+dfsg-4 commands: nomacs name: nomad version: 0.4.0+dfsg-1 commands: nomad name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns2 version: 2.35+dfsg-2.1 commands: calcdest,dec-tr-stat,epa-tr-stat,nlanr-tr-stat,ns,nse,nstk,setdest,ucb-tr-stat name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntopng version: 3.2+dfsg1-1 commands: ntopng name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwchem version: 6.6+r27746-4build1 commands: nwchem name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: octovis version: 1.8.1+dfsg-1 commands: octovis name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggvideotools version: 0.9.1-4 commands: mkThumbs,oggCat,oggCut,oggDump,oggJoin,oggLength,oggSilence,oggSlideshow,oggSplit,oggThumb,oggTranscode name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: opencity version: 0.0.6.5stable-3 commands: opencity name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,iv,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openjfx version: 8u161-b12-1ubuntu2 commands: javafxpackager,javapackager name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni-utils version: 1.5.4.0-14build1 commands: NiViewer,Sample-NiAudioSample,Sample-NiBackRecorder,Sample-NiCRead,Sample-NiConvertXToONI,Sample-NiHandTracker,Sample-NiRecordSynthetic,Sample-NiSimpleCreate,Sample-NiSimpleRead,Sample-NiSimpleSkeleton,Sample-NiSimpleViewer,Sample-NiUserSelection,Sample-NiUserTracker,niLicense,niReg name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgframerenderer,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-debian-images version: 1.25 commands: build-openstack-debian-image name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: optgeo version: 2.25-1 commands: optgeo name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orpie version: 1.5.2-2 commands: orpie,orpie-curses-keys name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: papi-tools version: 5.6.0-1 commands: papi_avail,papi_clockres,papi_command_line,papi_component_avail,papi_cost,papi_decode,papi_error_codes,papi_event_chooser,papi_mem_info,papi_multiplex_cost,papi_native_avail,papi_version,papi_xml_event_info name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parafly version: 0.0.2013.01.21-3build1 commands: ParaFly name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parley version: 4:17.12.3-0ubuntu1 commands: parley name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasdoc version: 0.15.0-1 commands: pasdoc name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbbamtools version: 0.7.4+ds-1build2 commands: pbindex,pbindexdump,pbmerge name: pbbarcode version: 0.8.0-4ubuntu1 commands: pbbarcode name: pbdagcon version: 0.3+20161121+ds-1 commands: dazcon,pbdagcon name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_ground_based_rgbd_people_detector,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_image_grabber_saver,pcl_image_grabber_viewer,pcl_in_hand_scanner,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_manual_registration,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_modeler,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_ni_agast,pcl_ni_brisk,pcl_ni_linemod,pcl_ni_susan,pcl_ni_trajkovic,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_offline_integration,pcl_oni2pcd,pcl_oni_viewer,pcl_openni2_viewer,pcl_openni_3d_concave_hull,pcl_openni_3d_convex_hull,pcl_openni_boundary_estimation,pcl_openni_change_viewer,pcl_openni_face_detector,pcl_openni_fast_mesh,pcl_openni_feature_persistence,pcl_openni_grabber_depth_example,pcl_openni_grabber_example,pcl_openni_ii_normal_estimation,pcl_openni_image,pcl_openni_klt,pcl_openni_mls_smoothing,pcl_openni_mobile_server,pcl_openni_octree_compression,pcl_openni_organized_compression,pcl_openni_organized_edge_detection,pcl_openni_organized_multi_plane_segmentation,pcl_openni_passthrough,pcl_openni_pcd_recorder,pcl_openni_planar_convex_hull,pcl_openni_planar_segmentation,pcl_openni_save_image,pcl_openni_shift_to_depth_conversion,pcl_openni_tracking,pcl_openni_uniform_sampling,pcl_openni_viewer,pcl_openni_voxel_grid,pcl_organized_pcd_to_png,pcl_organized_segmentation_demo,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_grabber_viewer,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pcd_video_player,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_point_cloud_editor,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pep8-simul version: 8.1.3+ds1-2 commands: pep8-simul name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perftest version: 4.1+0.2.g770623f-1 commands: ib_atomic_bw,ib_atomic_lat,ib_read_bw,ib_read_lat,ib_send_bw,ib_send_lat,ib_write_bw,ib_write_lat,raw_ethernet_burst_lat,raw_ethernet_bw,raw_ethernet_fs_rate,raw_ethernet_lat,run_perftest_loopback,run_perftest_multi_devices name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: pesign version: 0.112-4 commands: authvar,efikeygen,efisiglist,pesigcheck,pesign,pesign-client name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgloader version: 3.4.1+dfsg-1 commands: pgloader name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: pianobooster version: 0.6.7~svn156-1 commands: pianobooster name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picolisp version: 17.12+20180218-1 commands: picolisp,pil name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pim-data-exporter version: 4:17.12.3-0ubuntu1 commands: pimsettingexporter,pimsettingexporterconsole name: pim-sieve-editor version: 4:17.12.3-0ubuntu1 commands: sieveeditor name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-config-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-pkg-config name: pkg-config-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-pkg-config name: pkg-config-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-pkg-config name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: pnetcdf-bin version: 1.9.0-2 commands: ncmpidiff,ncmpidump,ncmpigen,ncoffsets,ncvalidator,pnetcdf-config,pnetcdf_version name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: praat version: 6.0.37-2 commands: praat,praat-open-files,praat_nogui,sendpraat name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primer3 version: 2.4.0-1ubuntu2 commands: ntdpal,ntthal,oligotm,primer3_core name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: princeprocessor version: 0.21-3 commands: princeprocessor name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectm-jack version: 2.1.0+dfsg-4build1 commands: projectM-jack name: projectm-pulseaudio version: 2.1.0+dfsg-4build1 commands: projectM-pulseaudio name: prolix version: 0.03-1 commands: prolix name: prometheus version: 2.1.0+ds-1 commands: prometheus,promtool name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: proot version: 5.1.0-1.2 commands: proot name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: pspg version: 0.9.3-1 commands: pspg name: pspp version: 1.0.1-1 commands: pspp,pspp-convert,pspp-dump-sav,psppire name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purify version: 2.0.0-2 commands: purify name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-htseq version: 0.6.1p1-4build1 commands: htseq-count,htseq-qa name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-numba version: 0.34.0-3 commands: numba name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-woo version: 1.0+dfsg1-2 commands: woo,woo-batch name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-numba version: 0.34.0-3 commands: numba name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyraf version: 2.1.14+dfsg-6 commands: pyraf name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-woo version: 1.0+dfsg1-2 commands: woo-py3,woo-py3-batch name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qconf version: 2.4-3 commands: qt-qconf name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiime version: 1.8.0+dfsg-4ubuntu1 commands: qiime name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtiplot version: 0.9.8.9-17 commands: qtiplot name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racket version: 6.11+dfsg1-1 commands: drracket,gracket,gracket-text,mred,mred-text,mzc,mzpp,mzscheme,mztext,pdf-slatex,plt-games,plt-help,plt-r5rs,plt-r6rs,plt-web-server,racket,raco,scribble,setup-plt,slatex,slideshow,swindle name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: raincat version: 1.1.1.2-3 commands: raincat name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasmol version: 2.7.5.2-2 commands: rasmol,rasmol-classic,rasmol-gtk name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rcs-blame version: 1.3.1-4 commands: blame name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reapr version: 1.0.18+dfsg-3 commands: reapr name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: refind version: 0.11.2-1 commands: mkrlconf,mvrefind,refind-install,refind-mkdefault name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rheolef version: 6.7-6 commands: bamg,bamg2geo,branch,csr,field,geo,mkgeo_ball,mkgeo_grid,mkgeo_ugrid,msh2geo name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkt version: 1.29.0+dfsg-1 commands: rkt name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rna-star version: 2.5.4b+dfsg-1 commands: STAR name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsem version: 1.2.31+dfsg-1 commands: convert-sam-for-rsem,extract-transcript-to-gene-map-from-trinity,rsem-bam2readdepth,rsem-bam2wig,rsem-build-read-index,rsem-calculate-credibility-intervals,rsem-calculate-expression,rsem-control-fdr,rsem-extract-reference-transcripts,rsem-gen-transcript-plots,rsem-generate-data-matrix,rsem-generate-ngvector,rsem-get-unique,rsem-gff3-to-gtf,rsem-parse-alignments,rsem-plot-model,rsem-plot-transcript-wiggles,rsem-prepare-reference,rsem-preref,rsem-refseq-extract-primary-assembly,rsem-run-ebseq,rsem-run-em,rsem-run-gibbs,rsem-sam-validator,rsem-scan-for-paired-end-reads,rsem-simulate-reads,rsem-synthesis-reference-transcripts,rsem-tbam2gbam name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-ferret version: 0.11.8.6-2build3 commands: ferret-browser name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sbcl version: 2:1.4.5-1 commands: sbcl name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scm version: 5f2-2 commands: scm name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scolily version: 0.4.1-0ubuntu5 commands: scolily name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seed-webkit2 version: 4.0.0+20161014+6c77960+dfsg1-5build1 commands: seed name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,splazers,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sga version: 0.10.15-3 commands: sga,sga-align,sga-astat,sga-bam2de,sga-mergeDriver name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-aligner version: 1.0~beta.18+dfsg-2 commands: SNAPCommand,snap-aligner name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofa-apps version: 1.0~beta4-12 commands: sofa name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-pi version: 2.10.0~repack-2.1 commands: sonic-pi name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.qt,ssr-binaural,ssr-binaural.qt,ssr-brs,ssr-brs.qt,ssr-generic,ssr-generic.qt,ssr-nfc-hoa,ssr-nfc-hoa.qt,ssr-vbap,ssr-vbap.qt,ssr-wfs,ssr-wfs.qt name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundscaperenderer-nox version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.nox,ssr-binaural,ssr-binaural.nox,ssr-brs,ssr-brs.nox,ssr-generic,ssr-generic.nox,ssr-nfc-hoa,ssr-nfc-hoa.nox,ssr-vbap,ssr-vbap.nox,ssr-wfs,ssr-wfs.nox name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: split-select version: 1:7.0.0+r33-1 commands: split-select name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: structure-synth version: 1.5.0-3 commands: structure-synth name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subread version: 1.6.0+dfsg-1 commands: exactSNP,featureCounts,subindel,subjunc,sublong,subread-align,subread-buildindex name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysbench version: 1.0.11+ds-1 commands: sysbench name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysprof version: 3.28.1-1 commands: sysprof,sysprof-cli name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tcc version: 0.9.27-5 commands: cc,tcc name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tclcl version: 1.20-8build1 commands: otcldoc,tcl2c++ name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teeworlds version: 0.6.4+dfsg-1 commands: teeworlds name: teeworlds-server version: 0.6.4+dfsg-1 commands: teeworlds-server name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tendermint version: 0.8.0+git20170113.0.764091d-2 commands: tendermint name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg version: 1.8.0-3build1 commands: runThePEG,setupThePEG name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: tophat version: 2.1.1+dfsg1-1 commands: bam2fastx,bam_merge,bed_to_juncs,contig_to_chr_coords,fix_map_ordering,gtf_juncs,gtf_to_fasta,juncs_db,long_spanning_reads,map2gtf,prep_reads,sam_juncs,segment_juncs,sra_to_solid,tophat,tophat-fusion-post,tophat2,tophat_reports name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: trafficserver version: 7.1.2+ds-3 commands: traffic_cop,traffic_crashlog,traffic_ctl,traffic_layout,traffic_logcat,traffic_logstats,traffic_manager,traffic_server,traffic_top,traffic_via,traffic_wccp,tspush name: trafficserver-dev version: 7.1.2+ds-3 commands: tsxs name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transgui version: 5.0.1-5.1 commands: transgui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxcmd version: 0.6.70+dfsg-2 commands: tuxcmd name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: u3-tool version: 0.3-3 commands: u3-tool name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-help,uim-m17nlib-relink-icons,uim-module-manager,uim-sh,uim-toolbar name: uim-el version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-el-agent,uim-el-helper-agent name: uim-fep version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-fep,uim-fep-tick name: uim-gtk2.0 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk,uim-input-pad-ja,uim-pref-gtk,uim-toolbar,uim-toolbar-gtk,uim-toolbar-gtk-systray name: uim-gtk3 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk3,uim-input-pad-ja-gtk3,uim-pref-gtk3,uim-toolbar,uim-toolbar-gtk3,uim-toolbar-gtk3-systray name: uim-qt5 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-chardict-qt5,uim-im-switcher-qt5,uim-pref-qt5,uim-toolbar,uim-toolbar-qt5 name: uim-xim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-xim name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ushare version: 1.1a-0ubuntu10 commands: ushare name: ussp-push version: 0.11-4 commands: ussp-push name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvp-monitor version: 2.2.0.316-0ubuntu1 commands: uvp-monitor name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-luajit version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_lua,uwsgi_luajit name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vboot-kernel-utils version: 0~R63-10032.B-3 commands: futility,futility_s,vbutil_kernel name: vboot-utils version: 0~R63-10032.B-3 commands: bdb_extend,bmpblk_font,bmpblk_utility,chromeos-tpm-recovery,crossystem,crossystem_s,dev_debug_vboot,dev_make_keypair,dumpRSAPublicKey,dump_fmap,dump_kernel_config,eficompress,efidecompress,enable_dev_usb_boot,gbb_utility,load_kernel_test,pad_digest_utility,signature_digest_utility,tpm-nvsize,tpm_init_temp_fix,tpmc,vbutil_firmware,vbutil_key,vbutil_keyblock,vbutil_what_keys,verify_data name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: vish version: 0.0.20130812-1build1 commands: vish name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: viva version: 1.2-1.1 commands: viva,vv_treemap name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmg version: 3.7.1-3 commands: vmg name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w1retap version: 1.4.4-3 commands: w1find,w1retap,w1sensors name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: wine64 version: 3.0-1ubuntu1 commands: wine64-stable name: wine64-development version: 3.6-1 commands: wine64-development name: wine64-development-tools version: 3.6-1 commands: widl-development,winebuild-development,winecpp-development,winedump-development,wineg++-development,winegcc-development,winemaker-development,wmc-development,wrc-development name: wine64-tools version: 3.0-1ubuntu1 commands: widl-stable,winebuild-stable,winecpp-stable,winedump-stable,wineg++-stable,winegcc-stable,winemaker-stable,wmc-stable,wrc-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: winff-gtk2 version: 1.5.5-4 commands: winff,winff-gtk2 name: winff-qt version: 1.5.5-4 commands: winff,winff-qt name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wiredtiger version: 2.9.3+ds-1ubuntu2 commands: wt name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcas version: 1.2.3.57+dfsg1-2build3 commands: cas_help,en_cas_help,es_cas_help,fr_cas_help,giac,icas,pgiac,xcas name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xenstore-utils version: 4.9.2-0ubuntu1 commands: xenstore-chmod,xenstore-exists,xenstore-list,xenstore-ls,xenstore-read,xenstore-rm,xenstore-watch,xenstore-write name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xflr5 version: 6.09.06-2build2 commands: xflr5 name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xindy version: 2.5.1.20160104-4build1 commands: tex2xindy,texindy,xindy name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmir version: 2:1.19.6-1ubuntu4 commands: Xmir name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yade version: 2018.02b-1 commands: yade,yade-batch name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yap version: 6.2.2-6build1 commands: yap name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: yazc version: 0.3.6-1 commands: yazc name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youker-assistant version: 3.0.0-0ubuntu1 commands: kylin-assistant,kylin-assistant-backend.py,kylin-assistant-session.py,youker-assistant name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipalign version: 1:7.0.0+r33-1 commands: zipalign name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptime version: 1:7.0.0+r33-1 commands: ziptime name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: ztex-bmp version: 20120314-2 commands: bmp name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-armhf0000664000000000000000000400146114202510314025303 0ustar suite: bionic component: universe arch: armhf name: 0ad version: 0.0.22-4 commands: 0ad,pyrogenesis name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: a7xpg version: 0.11.dfsg1-10 commands: a7xpg name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: aapt version: 1:7.0.0+r33-1 commands: aapt,aapt2 name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: acbuild version: 0.4.0+dfsg-2 commands: acbuild name: accerciser version: 3.22.0-5 commands: accerciser name: accountwizard version: 4:17.12.3-0ubuntu1 commands: accountwizard,ispdb name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adb version: 1:7.0.0+r33-2 commands: adb name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: afnix version: 2.8.1-1 commands: axc,axd,axi,axl name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aidl version: 1:7.0.0+r33-1 commands: aidl,aidl-cpp name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-import-wizard version: 17.12.3-0ubuntu2 commands: akonadiimportwizard name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: akonadiconsole version: 4:17.12.3-0ubuntu1 commands: akonadiconsole name: akregator version: 4:17.12.3-0ubuntu1 commands: akregator,akregatorstorageexporter name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algobox version: 1.0.2+dfsg-1 commands: algobox name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: androguard version: 3.1.0~rc2-1 commands: androarsc,androauto,androaxml,androdd,androdis,androgui,androlyze name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: android-tools-adbd version: 5.1.1.r38-1.1 commands: adbd name: android-tools-fsutils version: 5.1.1.r38-1.1 commands: ext2simg,ext4fixup,img2simg,make_ext4fs,mkuserimg,simg2img,simg2simg,simg_dump,test_ext4fixup name: android-tools-mkbootimg version: 5.1.1.r38-1.1 commands: mkbootimg name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: ants version: 2.2.0-1ubuntu1 commands: ANTS,ANTSIntegrateVectorField,ANTSIntegrateVelocityField,ANTSJacobian,ANTSUseDeformationFieldToGetAffineTransform,ANTSUseLandmarkImagesToGetAffineTransform,ANTSUseLandmarkImagesToGetBSplineDisplacementField,Atropos,LaplacianThickness,WarpImageMultiTransform,WarpTimeSeriesImageMultiTransform,antsAI,antsAffineInitializer,antsAlignOrigin,antsApplyTransforms,antsApplyTransformsToPoints,antsJointFusion,antsJointTensorFusion,antsLandmarkBasedTransformInitializer,antsMotionCorr,antsMotionCorrDiffusionDirection,antsMotionCorrStats,antsRegistration,antsSliceRegularizedRegistration,antsTransformInfo,antsUtilitiesTesting,jointfusion name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-generator version: 0.6.8-2build2 commands: appstream-generator name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-jit,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arora version: 0.11.0+qt5+git2014-04-06-1 commands: arora,arora-cacheinfo,arora-placesimport,htmlToXBel name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bcftools version: 1.7-2 commands: bcftools,color-chrs.pl,guess-ploidy.py,plot-roh.py,plot-vcfstats,run-roh.pl,vcfutils.pl name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: bibletime version: 2.11.1-1 commands: bibletime name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: biom-format-tools version: 2.1.5+dfsg-7build2 commands: biom name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: blcr-util version: 0.8.5-2.3 commands: cr_checkpoint,cr_restart,cr_run name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildapp version: 1.5.6-1 commands: buildapp name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: burp version: 2.0.54-4build1 commands: bedup,bsigs,burp,burp_ca,vss_strip name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: cafeobj version: 1.5.7-1 commands: cafeobj name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: care version: 2.2.1-1build1 commands: care name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cenon.app version: 4.0.2-1build3 commands: Cenon name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgpt version: 0~R63-10032.B-3 commands: cgpt name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-browser version: 65.0.3325.181-0ubuntu1 commands: chromium-browser,gnome-www-browser,x-www-browser name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clisp version: 1:2.49.20170913-4build1 commands: clisp,clisp-link name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-cpp-4.8,cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-cpp-5,cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-cpp-6,cpp-6 name: cpp-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-cpp-8,cpp-8 name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: cqrlog version: 2.0.5-3ubuntu1 commands: cqrlog name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: criu version: 3.6-2 commands: compel,crit,criu name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: cryptmount,cryptmount-setup name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: ctfutils version: 10.3~svn297264-2 commands: ctfconvert,ctfdump,ctfmerge name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddccontrol version: 0.4.3-2 commands: ddccontrol,ddcpci name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrescueview version: 0.4~alpha3-2 commands: ddrescueview name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-screenshot version: 4.0.11-1 commands: deepin-screenshot name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dexdump version: 7.0.0+r33-1 commands: dexdump name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: direwolf version: 1.4+dfsg-1build1 commands: aclients,atest,decode_aprs,direwolf,gen_packets,log2gpx,text2tt,tt2text name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtcp version: 2.3.1-6 commands: dmtcp_checkpoint,dmtcp_command,dmtcp_coordinator,dmtcp_discover_rm,dmtcp_launch,dmtcp_nocheckpoint,dmtcp_restart,dmtcp_rm_loclaunch,dmtcp_ssh,dmtcp_sshd,mtcp_restart name: dmtracedump version: 7.0.0+r33-1 commands: dmtracedump name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dozzaqueux version: 3.51-2 commands: dozzaqueux name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: dri2-utils version: 1.0.0~git20120510+26fee2e-0ubuntu2 commands: dri2test name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dub version: 1.8.0-2 commands: dub name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustmite version: 0~20170126.e95dff8-2 commands: dustmite name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: el-ixir version: 3.0-1 commands: el-ixir name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs-mozc-bin version: 2.20.2673.102+dfsg-2 commands: mozc_emacs_helper name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emscripten version: 1.22.1-1build1 commands: em++,em-config,emar,emcc,emcc.py,emconfigure,emmake,emranlib,emscons,emscripten.py name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etc1tool version: 7.0.0+r33-1 commands: etc1tool name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d,evolver-nox-ld name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d,evolver-ogl-ld name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext3grep version: 0.10.2-3ubuntu1 commands: ext3grep name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: faker version: 0.7.7-2 commands: faker name: faketime version: 0.9.7-2 commands: faketime name: falkon version: 3.0.0-0ubuntu3 commands: falkon,x-www-browser name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastboot version: 1:7.0.0+r33-2 commands: fastboot name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidcl version: 0.3.1-4 commands: fdroidcl name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvmip name: fenix version: 0.92a.dfsg1-11.1build1 commands: fenix,fenix-fpg,fenix-fxc,fenix-fxi,fenix-map name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-compiler-3.0.4 version: 3.0.4+dfsg-18 commands: arm-linux-gnueabihf-fpc-3.0.4,arm-linux-gnueabihf-fpcmkcfg-3.0.4,arm-linux-gnueabihf-fpcres-3.0.4,fpc,fpc-depends,fpc-depends-3.0.4,fpcres,pc,ppcarm,ppcarm-3.0.4 name: fp-ide-3.0.4 version: 3.0.4+dfsg-18 commands: fp,fp-3.0.4 name: fp-units-castle-game-engine version: 6.4+dfsg1-2 commands: castle-curves,castle-engine,image-to-pascal,sprite-sheet-to-x3d,texture-font-to-pascal name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fp-utils-3.0.4 version: 3.0.4+dfsg-18 commands: bin2obj,bin2obj-3.0.4,chmcmd,chmcmd-3.0.4,chmls,chmls-3.0.4,data2inc,data2inc-3.0.4,delp,delp-3.0.4,fd2pascal-3.0.4,fpcjres-3.0.4,fpclasschart,fpclasschart-3.0.4,fpcmake,fpcmake-3.0.4,fpcsubst,fpcsubst-3.0.4,fpdoc,fpdoc-3.0.4,fppkg,fppkg-3.0.4,fprcp,fprcp-3.0.4,grab_vcsa,grab_vcsa-3.0.4,h2pas,h2pas-3.0.4,h2paspp,h2paspp-3.0.4,ifpc,ifpc-3.0.4,instantfpc,makeskel,makeskel-3.0.4,pas2fpm-3.0.4,pas2jni-3.0.4,pas2ut-3.0.4,plex,plex-3.0.4,postw32,postw32-3.0.4,ppdep,ppdep-3.0.4,ppudump,ppudump-3.0.4,ppufiles,ppufiles-3.0.4,ppumove,ppumove-3.0.4,ptop,ptop-3.0.4,pyacc,pyacc-3.0.4,relpath,relpath-3.0.4,rmcvsdir,rmcvsdir-3.0.4,rstconv,rstconv-3.0.4,unitdiff,unitdiff-3.0.4 name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fscrypt version: 0.2.2-0ubuntu2 commands: fscrypt name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswatch version: 1.11.2+repack-10 commands: fswatch name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-g++-4.8,g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-g++-5,g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-g++-6,g++-6 name: g++-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-g++-8,g++-8 name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gazebo9 version: 9.0.0+dfsg5-3ubuntu1 commands: gazebo,gazebo-9.0.0,gz,gz-9.0.0,gzclient,gzclient-9.0.0,gzprop,gzserver,gzserver-9.0.0 name: gb version: 0.4.4-2 commands: gb,gb-vendor name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-gcc-4.8,arm-linux-gnueabihf-gcc-ar-4.8,arm-linux-gnueabihf-gcc-nm-4.8,arm-linux-gnueabihf-gcc-ranlib-4.8,arm-linux-gnueabihf-gcov-4.8,gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-gcc-5,arm-linux-gnueabihf-gcc-ar-5,arm-linux-gnueabihf-gcc-nm-5,arm-linux-gnueabihf-gcc-ranlib-5,arm-linux-gnueabihf-gcov-5,arm-linux-gnueabihf-gcov-dump-5,arm-linux-gnueabihf-gcov-tool-5,gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-gcc-6,arm-linux-gnueabihf-gcc-ar-6,arm-linux-gnueabihf-gcc-nm-6,arm-linux-gnueabihf-gcc-ranlib-6,arm-linux-gnueabihf-gcov-6,arm-linux-gnueabihf-gcov-dump-6,arm-linux-gnueabihf-gcov-tool-6,gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6 name: gcc-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-gcc-8,arm-linux-gnueabihf-gcc-ar-8,arm-linux-gnueabihf-gcc-nm-8,arm-linux-gnueabihf-gcc-ranlib-8,arm-linux-gnueabihf-gcov-8,arm-linux-gnueabihf-gcov-dump-8,arm-linux-gnueabihf-gcov-tool-8,gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8 name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-m68hc1x version: 1:3.3.6+3.1+dfsg-3ubuntu2 commands: m68hc11-cpp,m68hc11-gcc,m68hc11-gccbug,m68hc11-gcov name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-msp430 version: 4.6.3~mspgcc-20120406-7ubuntu5 commands: msp430-c++,msp430-cpp,msp430-g++,msp430-gcc,msp430-gcc-4.6.3,msp430-gcov name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gccgo version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gccgo,gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-gccgo-4.8,gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-gccgo-5,gccgo-5,go-5,gofmt-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-gccgo-6,arm-linux-gnueabihf-go-6,arm-linux-gnueabihf-gofmt-6,gccgo-6,go-6,gofmt-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-gccgo-7,arm-linux-gnueabihf-go-7,arm-linux-gnueabihf-gofmt-7,gccgo-7,go-7,gofmt-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-gccgo-8,arm-linux-gnueabihf-go-8,arm-linux-gnueabihf-gofmt-8,gccgo-8,go-8,gofmt-8 name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.90.20180111-0ubuntu2+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-msp430 version: 7.2a~mspgcc-20111205-3.1ubuntu1 commands: msp430-gdb,msp430-run name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gdc,gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-gdc-4.8,gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-gdc-5,gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-gdc-6,gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-gdc-7,gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-gdc-8,gdc-8 name: gddccontrol version: 0.4.3-2 commands: gddccontrol name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearhead version: 1.302-4 commands: gearhead name: gearhead-sdl version: 1.302-4 commands: gearhead-sdl name: gearhead2 version: 0.701-1 commands: gearhead2 name: gearhead2-sdl version: 0.701-1 commands: gearhead2-sdl name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: arm-linux-gnueabihf-gfortran-4.8,gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-gfortran-5,gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-gfortran-6,gfortran-6 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-gfortran-8,gfortran-8 name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gir-to-d version: 0.13.0-3build2 commands: girtod name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-mir name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-mir name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-5,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-5,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-5,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-5,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-5,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-5,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-5,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-5,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-5,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-5,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-5,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-5,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-5,gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-6,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-6,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-6,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-6,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-6,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-6,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-6,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-6,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-6,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-6,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-6,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-6,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-6,gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-7,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-7,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-7,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-7,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-7,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-7,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-7,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-7,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-7,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-7,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-7,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-7,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-7,gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-8,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-8,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-8,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-8,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-8,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-8,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-8,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-8,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-8,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-8,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-8,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-8,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-8,gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-video-arcade version: 0.8.8-2ubuntu1 commands: gnome-video-arcade name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnu-smalltalk version: 3.2.5-1.1 commands: gst,gst-convert,gst-doc,gst-load,gst-package,gst-profile,gst-reload,gst-remote,gst-sunit name: gnu-smalltalk-browser version: 3.2.5-1.1 commands: gst-browser name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gobgpd version: 1.29-1 commands: gobgp,gobgpd,gobmpd name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpsbabel-gui version: 1.5.4-2 commands: gpsbabelfe name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gunroar version: 0.15.dfsg1-9 commands: gunroar name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: guymager version: 0.8.7-1 commands: guymager name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: health-check version: 0.02.09-1 commands: health-check name: heaptrack version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack,heaptrack_print name: heaptrack-gui version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack_gui name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: hedgewars version: 0.9.24.1-dfsg-2 commands: hedgewars name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: herwig++ version: 2.6.0-1.1build2 commands: Herwig++ name: herwig++-dev version: 2.6.0-1.1build2 commands: herwig-config name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hprof-conv version: 7.0.0+r33-1 commands: hprof-conv name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsail-tools version: 0~20170314-3 commands: HSAILasm name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hsc version: 1.0b-0ubuntu2 commands: hsc,hscdepp,hscpitt name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugepages version: 2.19-0ubuntu1 commands: cpupcstat,hugeadm,hugectl,hugeedit,pagesize name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i8c version: 0.0.6-1 commands: i8c,i8x name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibam version: 1:0.5.2-2.1ubuntu2 commands: ibam name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibniz version: 1.18-1build1 commands: ibniz name: ibod version: 1.5.0-6build1 commands: ibod name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: ii-esu version: 1.0a.dfsg1-8 commands: ii-esu name: iiod version: 0.10-3 commands: iiod name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagination version: 3.0-7build1 commands: imagination name: imapcopy version: 1.04-2.1 commands: imapcopy name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: influxdb version: 1.1.1+dfsg1-4 commands: influxd name: influxdb-client version: 1.1.1+dfsg1-4 commands: influx name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel2gas version: 1.3.3-17 commands: intel2gas name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ion version: 3.2.1+dfsg-1.1 commands: acsadmin,acslist,amsbenchr,amsbenchs,amsd,amshello,amslog,amslogprt,amsshell,amsstop,aoslsi,aoslso,bpadmin,bpcancel,bpchat,bpclock,bpcounter,bpcp,bpcpd,bpdriver,bpecho,bping,bplist,bprecvfile,bpsendfile,bpsink,bpsource,bpstats,bpstats2,bptrace,bputa,brsccla,brsscla,bssStreamingApp,bsscounter,bssdriver,bsspadmin,bsspcli,bsspclo,bsspclock,bssrecv,cfdpadmin,cfdpclock,cfdptest,cgrfetch,dccpcli,dccpclo,dccplsi,dccplso,dgr2file,dgrcla,dtn2admin,dtn2adminep,dtn2fw,dtnperf_vION,dtpcadmin,dtpcclock,dtpcd,dtpcreceive,dtpcsend,file2dgr,file2sdr,file2sm,file2tcp,file2udp,hmackeys,imcadmin,imcfw,ionadmin,ionexit,ionrestart,ionscript,ionsecadmin,ionstart,ionstop,ionwarn,ipnadmin,ipnadminep,ipnfw,killm,lgagent,lgsend,ltpadmin,ltpcli,ltpclo,ltpclock,ltpcounter,ltpdriver,ltpmeter,nm_agent,nm_mgr,owltsim,owlttb,psmshell,psmwatch,ramsgate,rfxclock,sdatest,sdr2file,sdrmend,sdrwatch,sm2file,smlistsh,stcpcli,stcpclo,tcp2file,tcpbsi,tcpbso,tcpcli,tcpclo,udp2file,udpbsi,udpbso,udpcli,udpclo,udplsi,udplso name: ioping version: 1.0-2 commands: ioping name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: iraf version: 2.16.1+2018.03.10-2 commands: irafcl,sgidispatch name: iraf-dev version: 2.16.1+2018.03.10-2 commands: generic,mkpkg,xc,xyacc name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kaddressbook version: 4:17.12.3-0ubuntu1 commands: kaddressbook name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kalarm version: 4:17.12.3-0ubuntu1 commands: kalarm,kalarmautostart name: kalgebra version: 4:17.12.3-0ubuntu1 commands: calgebra,kalgebra name: kalgebramobile version: 4:17.12.3-0ubuntu1 commands: kalgebramobile name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kde-telepathy-text-ui version: 4:17.12.3-0ubuntu1 commands: ktp-log-viewer name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdepim-addons version: 17.12.3-0ubuntu2 commands: kmail_antivir,kmail_clamav,kmail_fprot,kmail_sav name: kdepim-runtime version: 4:17.12.3-0ubuntu2 commands: akonadi_akonotes_resource,akonadi_birthdays_resource,akonadi_contacts_resource,akonadi_davgroupware_resource,akonadi_ews_resource,akonadi_ewsmta_resource,akonadi_facebook_resource,akonadi_googlecalendar_resource,akonadi_googlecontacts_resource,akonadi_ical_resource,akonadi_icaldir_resource,akonadi_imap_resource,akonadi_invitations_agent,akonadi_kalarm_dir_resource,akonadi_kalarm_resource,akonadi_kolab_resource,akonadi_maildir_resource,akonadi_maildispatcher_agent,akonadi_mbox_resource,akonadi_migration_agent,akonadi_mixedmaildir_resource,akonadi_newmailnotifier_agent,akonadi_notes_resource,akonadi_openxchange_resource,akonadi_pop3_resource,akonadi_tomboynotes_resource,akonadi_vcard_resource,akonadi_vcarddir_resource,gidmigrator name: kdepim-themeeditors version: 4:17.12.3-0ubuntu1 commands: contactprintthemeeditor,contactthemeeditor,headerthemeeditor name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb version: 1.0b4+ds-14 commands: kgb name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kicad version: 4.0.7+dfsg1-1ubuntu2 commands: _cvpcb.kiface,_eeschema.kiface,_gerbview.kiface,_pcb_calculator.kiface,_pcbnew.kiface,_pl_editor.kiface,bitmap2component,dxf2idf,eeschema,gerbview,idf2vrml,idfcyl,idfrect,kicad,pcb_calculator,pcbnew,pl_editor name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmail version: 4:17.12.3-0ubuntu1 commands: akonadi_archivemail_agent,akonadi_followupreminder_agent,akonadi_mailfilter_agent,akonadi_sendlater_agent,kmail name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knot-resolver version: 2.1.1-1 commands: kresc,kresd name: knotes version: 4:17.12.3-0ubuntu1 commands: akonadi_notes_agent,knotes name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:17.12.3-0ubuntu1 commands: fsview name: konqueror version: 4:17.12.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: konsolekalendar version: 4:17.12.3-0ubuntu1 commands: calendarjanitor,konsolekalendar name: kontact version: 4:17.12.3-0ubuntu1 commands: kontact name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: korganizer version: 4:17.12.3-0ubuntu2 commands: korgac,korganizer name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktnef version: 4:17.12.3-0ubuntu1 commands: ktnef name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvmtool version: 0.20170904-1 commands: lkvm name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladspalist version: 3.7.1~repack-2 commands: ladspalist name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latrace version: 0.5.11-1 commands: latrace,latrace-ctl name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazarus-ide-1.8 version: 1.8.2+dfsg-3 commands: lazarus-ide,lazarus-ide-1.8.2,startlazarus,startlazarus-1.8.2 name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcl-utils-1.8 version: 1.8.2+dfsg-3 commands: lazbuild-1.8.2,lazres-1.8.2,lrstolfm-1.8.2,svn2revisioninc-1.8.2,updatepofiles-1.8.2 name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldc version: 1:1.8.0-1 commands: ldc-build-runtime,ldc-profdata,ldc-prune-cache,ldc2,ldmd2 name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: lepton version: 1.2.1+20170405-3build1 commands: lepton name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libfst-tools version: 1.6.3-2 commands: farcompilestrings,farcreate,farequal,farextract,farinfo,farisomorphic,farprintstrings,fstarcsort,fstclosure,fstcompile,fstcompose,fstcompress,fstconcat,fstconnect,fstconvert,fstdeterminize,fstdifference,fstdisambiguate,fstdraw,fstencode,fstepsnormalize,fstequal,fstequivalent,fstinfo,fstintersect,fstinvert,fstisomorphic,fstlinear,fstloglinearapply,fstmap,fstminimize,fstprint,fstproject,fstprune,fstpush,fstrandgen,fstrandmod,fstrelabel,fstreplace,fstreverse,fstreweight,fstrmepsilon,fstshortestdistance,fstshortestpath,fstsymbols,fstsynchronize,fsttopsort,fstunion,mpdtcompose,mpdtexpand,mpdtinfo,mpdtreverse,pdtcompose,pdtexpand,pdtinfo,pdtreplace,pdtreverse,pdtshortestpath name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgst-dev version: 3.2.5-1.1 commands: gst-config name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5incidenceeditor-bin version: 17.12.3-0ubuntu1 commands: kincidenceeditor name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblldb-5.0 version: 1:5.0.1-4 commands: liblldb-intel-mpxtable.so-5.0 name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libngram-tools version: 1.3.2-3 commands: ngramapply,ngramcontext,ngramcount,ngramhisttest,ngraminfo,ngrammake,ngrammarginalize,ngrammerge,ngramperplexity,ngramprint,ngramrandgen,ngramrandtest,ngramread,ngramshrink,ngramsort,ngramsplit,ngramsymbols,ngramtransfer name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnvtt-bin version: 2.0.8-1+dfsg-8.1 commands: nvassemble,nvcompress,nvddsinfo,nvdecompress,nvimgdiff,nvzoom name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopenafs-dev version: 1.8.0~pre5-1 commands: afs_compile_et,rxgen name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpocl-dev version: 1.1-5 commands: poclcc name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: arm-linux-gnueabihf-python3.7-dbg-config,arm-linux-gnueabihf-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: arm-linux-gnueabihf-python3.7-config,arm-linux-gnueabihf-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: librivet-dev version: 1.8.3-2build1 commands: rivet-config name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lld-4.0 version: 1:4.0.1-10 commands: ld.lld-4.0,lld-4.0,lld-link-4.0 name: lld-5.0 version: 1:5.0.1-4 commands: ld.lld-5.0,lld-5.0,lld-link-5.0 name: lldb-3.9 version: 1:3.9.1-19ubuntu1 commands: lldb-3.9,lldb-3.9.1-3.9,lldb-argdumper-3.9,lldb-mi-3.9,lldb-mi-3.9.1-3.9,lldb-server-3.9,lldb-server-3.9.1-3.9 name: lldb-4.0 version: 1:4.0.1-10 commands: lldb-4.0,lldb-4.0.1-4.0,lldb-argdumper-4.0,lldb-mi-4.0,lldb-mi-4.0.1-4.0,lldb-server-4.0,lldb-server-4.0.1-4.0 name: lldb-5.0 version: 1:5.0.1-4 commands: lldb-5.0,lldb-argdumper-5.0,lldb-mi-5.0,lldb-server-5.0 name: lldb-6.0 version: 1:6.0-1ubuntu2 commands: lldb-6.0,lldb-argdumper-6.0,lldb-mi-6.0,lldb-server-6.0,lldb-test-6.0 name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.7 version: 1:3.7.1-5ubuntu3 commands: bugpoint-3.7,llc-3.7,llvm-ar-3.7,llvm-as-3.7,llvm-bcanalyzer-3.7,llvm-config-3.7,llvm-cov-3.7,llvm-cxxdump-3.7,llvm-diff-3.7,llvm-dis-3.7,llvm-dsymutil-3.7,llvm-dwarfdump-3.7,llvm-extract-3.7,llvm-link-3.7,llvm-mc-3.7,llvm-mcmarkup-3.7,llvm-nm-3.7,llvm-objdump-3.7,llvm-pdbdump-3.7,llvm-profdata-3.7,llvm-ranlib-3.7,llvm-readobj-3.7,llvm-rtdyld-3.7,llvm-size-3.7,llvm-stress-3.7,llvm-symbolizer-3.7,llvm-tblgen-3.7,macho-dump-3.7,obj2yaml-3.7,opt-3.7,verify-uselistorder-3.7,yaml2obj-3.7 name: llvm-3.7-runtime version: 1:3.7.1-5ubuntu3 commands: lli-3.7,lli-child-target-3.7 name: llvm-3.7-tools version: 1:3.7.1-5ubuntu3 commands: FileCheck-3.7,count-3.7,not-3.7 name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luajit version: 2.1.0~beta3+dfsg-5.1 commands: luajit name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: mame version: 0.195+dfsg.1-2 commands: mame name: mame-tools version: 0.195+dfsg.1-2 commands: castool,chdman,floptool,imgtool,jedutil,ldresample,ldverify,romcmp name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: manaplus version: 1.8.2.17-1 commands: manaplus name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mbox-importer version: 17.12.3-0ubuntu1 commands: mboximporter name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsinfo,mcrl22lps,mcrl2compilerewriter,mcrl2i,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memleax version: 1.1.1-1 commands: memleax name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mixxx version: 2.0.0~dfsg-9 commands: mixxx name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlterm version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tiny version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tools version: 3.8.4-1build1 commands: mlcc,mlclient name: mlton-compiler version: 20130715-3 commands: mlton name: mlton-tools version: 20130715-3 commands: mllex,mlnlffigen,mlprof,mlyacc name: mlucas version: 14.1-2 commands: mlucas name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-boehm version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-boehm name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,pedump,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpqc3 version: 0.0~git20170114-4ubuntu1 commands: mpqc3 name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrbayes version: 3.2.6+dfsg-2 commands: mb name: mrbayes-mpi version: 3.2.6+dfsg-2 commands: mb-mpi name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mricron version: 0.20140804.1~dfsg.1-2 commands: dcm2nii,dcm2niigui,mricron,mricron-npm name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtail version: 3.0.0~rc5-1 commands: mtail name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: mu-cade version: 0.11.dfsg1-12 commands: mu-cade name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutextrace version: 0.1.4-1build1 commands: mutextrace name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nageru version: 1.6.4-2build2 commands: kaeru,nageru name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nam version: 1.15-4 commands: nam name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbc version: 1.2.1.r4+dfsg-8 commands: nbc name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-openmpi version: 3.7.2-7.4build2 commands: NPopenmpi,NPopenmpi2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nictools-pci version: 1.3.8-2build1 commands: alta-diag,eepro100-diag,epic-diag,myson-diag,natsemi-diag,ne2k-pci-diag,ns820-diag,pci-config,pcnet-diag,rtl8139-diag,starfire-diag,tulip-diag,via-diag,vortex-diag,winbond-diag,yellowfin-diag name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: nim version: 0.17.2-1ubuntu2 commands: nim,nimble,nimgrep,nimsuggest name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomacs version: 3.8.0+dfsg-4 commands: nomacs name: nomad version: 0.4.0+dfsg-1 commands: nomad name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: notary version: 0.1~ds1-1 commands: notary,notary-server name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns2 version: 2.35+dfsg-2.1 commands: calcdest,dec-tr-stat,epa-tr-stat,nlanr-tr-stat,ns,nse,nstk,setdest,ucb-tr-stat name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nvramtool version: 0.0+r3669-2.2build1 commands: nvramtool name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwchem version: 6.6+r27746-4build1 commands: nwchem name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oaklisp version: 1.3.6-2build1 commands: oaklisp name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggvideotools version: 0.9.1-4 commands: mkThumbs,oggCat,oggCut,oggDump,oggJoin,oggLength,oggSilence,oggSlideshow,oggSplit,oggThumb,oggTranscode name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: onedrive version: 1.1.20170919-2ubuntu2 commands: onedrive name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: openafs-client version: 1.8.0~pre5-1 commands: afs-up,afsd,afsio,afsmonitor,backup,bos,butc,cmdebug,fms,fs,fstrace,livesys,pagsh,pagsh.openafs,pts,restorevol,rmtsysd,rxdebug,scout,sys,tokens,translate_et,udebug,unlog,vos,xstat_cm_test,xstat_fs_test name: openafs-dbserver version: 1.8.0~pre5-1 commands: afs-newcell,afs-rootvol,prdb_check,pt_util,read_tape,vldb_check name: openafs-fileserver version: 1.8.0~pre5-1 commands: bos_util,bosserver,dafssync-debug,fssync-debug,salvsync-debug,state_analyzer,voldump,volinfo,volscan name: openafs-fuse version: 1.8.0~pre5-1 commands: afsd.fuse name: openafs-krb5 version: 1.8.0~pre5-1 commands: akeyconvert,aklog,asetkey,klog,klog.krb5 name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: opencity version: 0.0.6.5stable-3 commands: opencity name: openclonk version: 8.0-2 commands: c4group,openclonk name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openjfx version: 8u161-b12-1ubuntu2 commands: javafxpackager,javapackager name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni-utils version: 1.5.4.0-14build1 commands: NiViewer,Sample-NiAudioSample,Sample-NiBackRecorder,Sample-NiCRead,Sample-NiConvertXToONI,Sample-NiHandTracker,Sample-NiRecordSynthetic,Sample-NiSimpleCreate,Sample-NiSimpleRead,Sample-NiSimpleSkeleton,Sample-NiSimpleViewer,Sample-NiUserSelection,Sample-NiUserTracker,niLicense,niReg name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgreflect,osgrobot,osgscalarbar,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgreflect,osgrobot,osgscalarbar,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: optgeo version: 2.25-1 commands: optgeo name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: papi-tools version: 5.6.0-1 commands: papi_avail,papi_clockres,papi_command_line,papi_component_avail,papi_cost,papi_decode,papi_error_codes,papi_event_chooser,papi_mem_info,papi_multiplex_cost,papi_native_avail,papi_version,papi_xml_event_info name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parley version: 4:17.12.3-0ubuntu1 commands: parley name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parsec47 version: 0.2.dfsg1-9 commands: parsec47 name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasdoc version: 0.15.0-1 commands: pasdoc name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patat version: 0.5.2.2-2 commands: patat name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_ground_based_rgbd_people_detector,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_image_grabber_saver,pcl_image_grabber_viewer,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_ni_agast,pcl_ni_brisk,pcl_ni_linemod,pcl_ni_susan,pcl_ni_trajkovic,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_oni2pcd,pcl_oni_viewer,pcl_openni2_viewer,pcl_openni_3d_concave_hull,pcl_openni_3d_convex_hull,pcl_openni_boundary_estimation,pcl_openni_change_viewer,pcl_openni_face_detector,pcl_openni_fast_mesh,pcl_openni_feature_persistence,pcl_openni_grabber_depth_example,pcl_openni_grabber_example,pcl_openni_ii_normal_estimation,pcl_openni_image,pcl_openni_klt,pcl_openni_mls_smoothing,pcl_openni_mobile_server,pcl_openni_octree_compression,pcl_openni_organized_compression,pcl_openni_organized_edge_detection,pcl_openni_organized_multi_plane_segmentation,pcl_openni_pcd_recorder,pcl_openni_planar_convex_hull,pcl_openni_planar_segmentation,pcl_openni_save_image,pcl_openni_shift_to_depth_conversion,pcl_openni_tracking,pcl_openni_uniform_sampling,pcl_openni_viewer,pcl_openni_voxel_grid,pcl_organized_pcd_to_png,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_grabber_viewer,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pep8-simul version: 8.1.3+ds1-2 commands: pep8-simul name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: pesign version: 0.112-4 commands: authvar,efikeygen,efisiglist,pesigcheck,pesign,pesign-client name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pforth version: 21-12 commands: pforth name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picolisp version: 17.12+20180218-1 commands: picolisp,pil name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pim-data-exporter version: 4:17.12.3-0ubuntu1 commands: pimsettingexporter,pimsettingexporterconsole name: pim-sieve-editor version: 4:17.12.3-0ubuntu1 commands: sieveeditor name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixbros version: 0.6.3+dfsg-0.1 commands: pixbros name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixfrogger version: 1.0+dfsg-0.1 commands: pixfrogger name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plink1.9 version: 1.90~b5.2-180109-1 commands: plink1.9 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primer3 version: 2.4.0-1ubuntu2 commands: ntdpal,ntthal,oligotm,primer3_core name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectl version: 1.001.dfsg1-9 commands: projectl name: prolix version: 0.03-1 commands: prolix name: prometheus version: 2.1.0+ds-1 commands: prometheus,promtool name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: proot version: 5.1.0-1.2 commands: proot name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: pspg version: 0.9.3-1 commands: pspg name: pspp version: 1.0.1-1 commands: pspp,pspp-convert,pspp-dump-sav,psppire name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purify version: 2.0.0-2 commands: purify name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyraf version: 2.1.14+dfsg-6 commands: pyraf name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qconf version: 2.4-3 commands: qt-qconf name: qcontrol version: 0.5.5-3 commands: qcontrol name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiime version: 1.8.0+dfsg-4ubuntu1 commands: qiime name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racket version: 6.11+dfsg1-1 commands: drracket,gracket,gracket-text,mred,mred-text,mzc,mzpp,mzscheme,mztext,pdf-slatex,plt-games,plt-help,plt-r5rs,plt-r6rs,plt-web-server,racket,raco,scribble,setup-plt,slatex,slideshow,swindle name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasmol version: 2.7.5.2-2 commands: rasmol,rasmol-classic,rasmol-gtk name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rcs-blame version: 1.3.1-4 commands: blame name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reapr version: 1.0.18+dfsg-3 commands: reapr name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: reptyr version: 0.6.2-1.2 commands: reptyr name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkt version: 1.29.0+dfsg-1 commands: rkt name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbac-admin version: 1.4.0-repack-0ubuntu6 commands: acl_grant,acl_group,acl_mask,acl_rights,acl_rm_user,acl_tlist,attr_back_dev,attr_back_fd,attr_back_group,attr_back_net,attr_back_user,attr_get_fd,attr_get_file_dir,attr_get_group,attr_get_ipc,attr_get_net,attr_get_process,attr_get_up,attr_get_user,attr_rm_fd,attr_rm_file_dir,attr_rm_user,attr_set_fd,attr_set_file_dir,attr_set_group,attr_set_ipc,attr_set_net,attr_set_process,attr_set_up,attr_set_user,auth_back_cap,auth_set_cap,backup_all,backup_all_1.1.2,daz_flush,get_attribute_name,get_attribute_nr,linux2acl,mac_back_trusted,mac_get_levels,mac_set_trusted,mac_wrap,net_temp,pm_create,pm_ct_exec,rc_copy_role,rc_copy_type,rc_get_current_role,rc_get_eff_rights_fd,rc_get_item,rc_role_wrap,rc_set_item,rsbac_acl_group_menu,rsbac_acl_menu,rsbac_auth,rsbac_check,rsbac_dev_menu,rsbac_fd_menu,rsbac_gpasswd,rsbac_group_menu,rsbac_groupadd,rsbac_groupdel,rsbac_groupmod,rsbac_groupshow,rsbac_init,rsbac_jail,rsbac_list_ta,rsbac_login,rsbac_menu,rsbac_netdev_menu,rsbac_nettemp_def_menu,rsbac_nettemp_menu,rsbac_passwd,rsbac_pm,rsbac_process_menu,rsbac_rc_role_menu,rsbac_rc_type_menu,rsbac_settings_menu,rsbac_stats,rsbac_stats_pm,rsbac_user_menu,rsbac_useradd,rsbac_userdel,rsbac_usermod,rsbac_usershow,rsbac_version,rsbac_write,switch_adf_log,switch_module,user_aci name: rsbac-klogd version: 1.4.0-repack-0ubuntu6 commands: rklogd,rklogd-viewer name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sbcl version: 2:1.4.5-1 commands: sbcl name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme2c version: 2012.10.14-1ubuntu1 commands: s2cc,s2cdecl,s2ch,s2ci,s2cixl,scc,sch,sci,scixl name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: XML2Modelica,modelicac,modelicat,scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scm version: 5f2-2 commands: scm name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scolily version: 0.4.1-0ubuntu5 commands: scolily name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seed-webkit2 version: 4.0.0+20161014+6c77960+dfsg1-5build1 commands: seed name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-pi version: 2.10.0~repack-2.1 commands: sonic-pi name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphde-utils version: 1.3.0-1 commands: sasutil name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: split-select version: 1:7.0.0+r33-1 commands: split-select name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stressapptest version: 1.0.6-2build1 commands: stressapptest name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subread version: 1.6.0+dfsg-1 commands: exactSNP,featureCounts,subindel,subjunc,sublong,subread-align,subread-buildindex name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superiotool version: 0.0+r6637-1build1 commands: superiotool name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysbench version: 1.0.11+ds-1 commands: sysbench name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysprof version: 3.28.1-1 commands: sysprof,sysprof-cli name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tatan version: 1.0.dfsg1-8 commands: tatan name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tcc version: 0.9.27-5 commands: cc,tcc name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tclcl version: 1.20-8build1 commands: otcldoc,tcl2c++ name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teeworlds version: 0.6.4+dfsg-1 commands: teeworlds name: teeworlds-server version: 0.6.4+dfsg-1 commands: teeworlds-server name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg version: 1.8.0-3build1 commands: runThePEG,setupThePEG name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilix version: 1.7.7-1ubuntu2 commands: tilix,tilix.wrapper,x-terminal-emulator name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: titanion version: 0.3.dfsg1-7 commands: titanion name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: torus-trooper version: 0.22.dfsg1-11 commands: torus-trooper name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: trafficserver version: 7.1.2+ds-3 commands: traffic_cop,traffic_crashlog,traffic_ctl,traffic_layout,traffic_logcat,traffic_logstats,traffic_manager,traffic_server,traffic_top,traffic_via,traffic_wccp,tspush name: trafficserver-dev version: 7.1.2+ds-3 commands: tsxs name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transgui version: 5.0.1-5.1 commands: transgui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tumiki-fighters version: 0.2.dfsg1-8 commands: tumiki-fighters name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxcmd version: 0.6.70+dfsg-2 commands: tuxcmd name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: u3-tool version: 0.3-3 commands: u3-tool name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: uftrace version: 0.8.2-1 commands: uftrace name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-help,uim-m17nlib-relink-icons,uim-module-manager,uim-sh,uim-toolbar name: uim-el version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-el-agent,uim-el-helper-agent name: uim-fep version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-fep,uim-fep-tick name: uim-gtk2.0 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk,uim-input-pad-ja,uim-pref-gtk,uim-toolbar,uim-toolbar-gtk,uim-toolbar-gtk-systray name: uim-gtk3 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk3,uim-input-pad-ja-gtk3,uim-pref-gtk3,uim-toolbar,uim-toolbar-gtk3,uim-toolbar-gtk3-systray name: uim-qt5 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-chardict-qt5,uim-im-switcher-qt5,uim-pref-qt5,uim-toolbar,uim-toolbar-qt5 name: uim-xim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-xim name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: urweb version: 20170720+dfsg-2build1 commands: urweb name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ushare version: 1.1a-0ubuntu10 commands: ushare name: ussp-push version: 0.11-4 commands: ussp-push name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvp-monitor version: 2.2.0.316-0ubuntu1 commands: uvp-monitor name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-luajit version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_lua,uwsgi_luajit name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-v8 version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_v8 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: val-and-rick version: 0.1a.dfsg1-6~build1 commands: val-and-rick name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vboot-kernel-utils version: 0~R63-10032.B-3 commands: futility,futility_s,vbutil_kernel name: vboot-utils version: 0~R63-10032.B-3 commands: bdb_extend,bmpblk_font,bmpblk_utility,chromeos-tpm-recovery,crossystem,crossystem_s,dev_debug_vboot,dev_make_keypair,dumpRSAPublicKey,dump_fmap,dump_kernel_config,eficompress,efidecompress,enable_dev_usb_boot,gbb_utility,load_kernel_test,pad_digest_utility,signature_digest_utility,tpm-nvsize,tpm_init_temp_fix,tpmc,vbutil_firmware,vbutil_key,vbutil_keyblock,vbutil_what_keys,verify_data name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: view3dscene version: 3.18.0-2 commands: tovrmlx3d,view3dscene name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: vish version: 0.0.20130812-1build1 commands: vish name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmg version: 3.7.1-3 commands: vmg name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w1retap version: 1.4.4-3 commands: w1find,w1retap,w1sensors name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: wine32-development-tools version: 3.6-1 commands: widl-development,winebuild-development,winecpp-development,winedump-development,wineg++-development,winegcc-development,winemaker-development,wmc-development,wrc-development name: wine32-tools version: 3.0-1ubuntu1 commands: widl-stable,winebuild-stable,winecpp-stable,winedump-stable,wineg++-stable,winegcc-stable,winemaker-stable,wmc-stable,wrc-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: winff-gtk2 version: 1.5.5-4 commands: winff,winff-gtk2 name: winff-qt version: 1.5.5-4 commands: winff,winff-qt name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcas version: 1.2.3.57+dfsg1-2build3 commands: cas_help,en_cas_help,es_cas_help,fr_cas_help,giac,icas,pgiac,xcas name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xenstore-utils version: 4.9.2-0ubuntu1 commands: xenstore-chmod,xenstore-exists,xenstore-list,xenstore-ls,xenstore-read,xenstore-rm,xenstore-watch,xenstore-write name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xindy version: 2.5.1.20160104-4build1 commands: tex2xindy,texindy,xindy name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmir version: 2:1.19.6-1ubuntu4 commands: Xmir name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvattr version: 1.3-0.6ubuntu1 commands: gxvattr,xvattr name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yap version: 6.2.2-6build1 commands: yap name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: yazc version: 0.3.6-1 commands: yazc name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youker-assistant version: 3.0.0-0ubuntu1 commands: kylin-assistant,kylin-assistant-backend.py,kylin-assistant-session.py,youker-assistant name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-fuse version: 0.7.0-18build1 commands: zdb,zfs,zfs-fuse,zpool,zstreamdump name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipalign version: 1:7.0.0+r33-1 commands: zipalign name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptime version: 1:7.0.0+r33-1 commands: ziptime name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: ztex-bmp version: 20120314-2 commands: bmp name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-i3860000664000000000000000000444604114202510314024706 0ustar suite: bionic component: universe arch: i386 name: 0ad version: 0.0.22-4 commands: 0ad,pyrogenesis name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 7kaa version: 2.14.7+dfsg-1 commands: 7kaa name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: a7xpg version: 0.11.dfsg1-10 commands: a7xpg name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: aapt version: 1:7.0.0+r33-1 commands: aapt,aapt2 name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: acbuild version: 0.4.0+dfsg-2 commands: acbuild name: accerciser version: 3.22.0-5 commands: accerciser name: accountwizard version: 4:17.12.3-0ubuntu1 commands: accountwizard,ispdb name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpi version: 1.7-1.1 commands: acpi name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitail version: 0.1-4build1 commands: acpitail name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adb version: 1:7.0.0+r33-2 commands: adb name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlibtracker2 version: 2.4.23-1 commands: adtrack2 name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-g++,afl-gcc,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang,afl-clang++,afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: afnix version: 2.8.1-1 commands: axc,axd,axi,axl name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aidl version: 1:7.0.0+r33-1 commands: aidl,aidl-cpp name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-import-wizard version: 17.12.3-0ubuntu2 commands: akonadiimportwizard name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: akonadiconsole version: 4:17.12.3-0ubuntu1 commands: akonadiconsole name: akregator version: 4:17.12.3-0ubuntu1 commands: akregator,akregatorstorageexporter name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algobox version: 1.0.2+dfsg-1 commands: algobox name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: androguard version: 3.1.0~rc2-1 commands: androarsc,androauto,androaxml,androdd,androdis,androgui,androlyze name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: android-tools-adbd version: 5.1.1.r38-1.1 commands: adbd name: android-tools-fsutils version: 5.1.1.r38-1.1 commands: ext2simg,ext4fixup,img2simg,make_ext4fs,mkuserimg,simg2img,simg2simg,simg_dump,test_ext4fixup name: android-tools-mkbootimg version: 5.1.1.r38-1.1 commands: mkbootimg name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: ants version: 2.2.0-1ubuntu1 commands: ANTS,ANTSIntegrateVectorField,ANTSIntegrateVelocityField,ANTSJacobian,ANTSUseDeformationFieldToGetAffineTransform,ANTSUseLandmarkImagesToGetAffineTransform,ANTSUseLandmarkImagesToGetBSplineDisplacementField,Atropos,LaplacianThickness,WarpImageMultiTransform,WarpTimeSeriesImageMultiTransform,antsAI,antsAffineInitializer,antsAlignOrigin,antsApplyTransforms,antsApplyTransformsToPoints,antsJointFusion,antsJointTensorFusion,antsLandmarkBasedTransformInitializer,antsMotionCorr,antsMotionCorrDiffusionDirection,antsMotionCorrStats,antsRegistration,antsSliceRegularizedRegistration,antsTransformInfo,antsUtilitiesTesting,jointfusion name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: append2simg version: 1:7.0.0+r33-2 commands: append2simg name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-generator version: 0.6.8-2build2 commands: appstream-generator name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-jit,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armada-backlight version: 1.1-9 commands: armada-backlight name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arora version: 0.11.0+qt5+git2014-04-06-1 commands: arora,arora-cacheinfo,arora-placesimport,htmlToXBel name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseba version: 1.6.0-3.1~build1 commands: asebachallenge,asebacmd,asebadummynode,asebadump,asebaexec,asebahttp,asebahttp2,asebajoy,asebamassloader,asebaplay,asebaplayground,asebarec,asebaswitch,thymioupgrader,thymiownetconfig,thymiownetconfig-cli name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atitvout version: 0.4-13 commands: atitvout name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avogadro version: 1.2.0-3 commands: avogadro,avopkg,qube name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomepp version: 0.10-15 commands: baycomepp,eppfpga name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: bibletime version: 2.11.1-1 commands: bibletime name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: bino version: 1.6.6-1 commands: bino name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-alpha-linux-gnu version: 2.30-15ubuntu1 commands: alpha-linux-gnu-addr2line,alpha-linux-gnu-ar,alpha-linux-gnu-as,alpha-linux-gnu-c++filt,alpha-linux-gnu-elfedit,alpha-linux-gnu-gprof,alpha-linux-gnu-ld,alpha-linux-gnu-ld.bfd,alpha-linux-gnu-nm,alpha-linux-gnu-objcopy,alpha-linux-gnu-objdump,alpha-linux-gnu-ranlib,alpha-linux-gnu-readelf,alpha-linux-gnu-size,alpha-linux-gnu-strings,alpha-linux-gnu-strip name: binutils-arm-linux-gnueabi version: 2.30-15ubuntu1 commands: arm-linux-gnueabi-addr2line,arm-linux-gnueabi-ar,arm-linux-gnueabi-as,arm-linux-gnueabi-c++filt,arm-linux-gnueabi-dwp,arm-linux-gnueabi-elfedit,arm-linux-gnueabi-gprof,arm-linux-gnueabi-ld,arm-linux-gnueabi-ld.bfd,arm-linux-gnueabi-ld.gold,arm-linux-gnueabi-nm,arm-linux-gnueabi-objcopy,arm-linux-gnueabi-objdump,arm-linux-gnueabi-ranlib,arm-linux-gnueabi-readelf,arm-linux-gnueabi-size,arm-linux-gnueabi-strings,arm-linux-gnueabi-strip name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-hppa-linux-gnu version: 2.30-15ubuntu1 commands: hppa-linux-gnu-addr2line,hppa-linux-gnu-ar,hppa-linux-gnu-as,hppa-linux-gnu-c++filt,hppa-linux-gnu-elfedit,hppa-linux-gnu-gprof,hppa-linux-gnu-ld,hppa-linux-gnu-ld.bfd,hppa-linux-gnu-nm,hppa-linux-gnu-objcopy,hppa-linux-gnu-objdump,hppa-linux-gnu-ranlib,hppa-linux-gnu-readelf,hppa-linux-gnu-size,hppa-linux-gnu-strings,hppa-linux-gnu-strip name: binutils-hppa64-linux-gnu version: 2.30-15ubuntu1 commands: hppa64-linux-gnu-addr2line,hppa64-linux-gnu-ar,hppa64-linux-gnu-as,hppa64-linux-gnu-c++filt,hppa64-linux-gnu-elfedit,hppa64-linux-gnu-gprof,hppa64-linux-gnu-ld,hppa64-linux-gnu-ld.bfd,hppa64-linux-gnu-nm,hppa64-linux-gnu-objcopy,hppa64-linux-gnu-objdump,hppa64-linux-gnu-ranlib,hppa64-linux-gnu-readelf,hppa64-linux-gnu-size,hppa64-linux-gnu-strings,hppa64-linux-gnu-strip name: binutils-ia64-linux-gnu version: 2.30-15ubuntu1 commands: ia64-linux-gnu-addr2line,ia64-linux-gnu-ar,ia64-linux-gnu-as,ia64-linux-gnu-c++filt,ia64-linux-gnu-elfedit,ia64-linux-gnu-gprof,ia64-linux-gnu-ld,ia64-linux-gnu-ld.bfd,ia64-linux-gnu-nm,ia64-linux-gnu-objcopy,ia64-linux-gnu-objdump,ia64-linux-gnu-ranlib,ia64-linux-gnu-readelf,ia64-linux-gnu-size,ia64-linux-gnu-strings,ia64-linux-gnu-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-m68k-linux-gnu version: 2.30-15ubuntu1 commands: m68k-linux-gnu-addr2line,m68k-linux-gnu-ar,m68k-linux-gnu-as,m68k-linux-gnu-c++filt,m68k-linux-gnu-elfedit,m68k-linux-gnu-gprof,m68k-linux-gnu-ld,m68k-linux-gnu-ld.bfd,m68k-linux-gnu-nm,m68k-linux-gnu-objcopy,m68k-linux-gnu-objdump,m68k-linux-gnu-ranlib,m68k-linux-gnu-readelf,m68k-linux-gnu-size,m68k-linux-gnu-strings,m68k-linux-gnu-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-mips-linux-gnu version: 2.30-15ubuntu1 commands: mips-linux-gnu-addr2line,mips-linux-gnu-ar,mips-linux-gnu-as,mips-linux-gnu-c++filt,mips-linux-gnu-dwp,mips-linux-gnu-elfedit,mips-linux-gnu-gprof,mips-linux-gnu-ld,mips-linux-gnu-ld.bfd,mips-linux-gnu-ld.gold,mips-linux-gnu-nm,mips-linux-gnu-objcopy,mips-linux-gnu-objdump,mips-linux-gnu-ranlib,mips-linux-gnu-readelf,mips-linux-gnu-size,mips-linux-gnu-strings,mips-linux-gnu-strip name: binutils-mips64-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mips64-linux-gnuabi64-addr2line,mips64-linux-gnuabi64-ar,mips64-linux-gnuabi64-as,mips64-linux-gnuabi64-c++filt,mips64-linux-gnuabi64-dwp,mips64-linux-gnuabi64-elfedit,mips64-linux-gnuabi64-gprof,mips64-linux-gnuabi64-ld,mips64-linux-gnuabi64-ld.bfd,mips64-linux-gnuabi64-ld.gold,mips64-linux-gnuabi64-nm,mips64-linux-gnuabi64-objcopy,mips64-linux-gnuabi64-objdump,mips64-linux-gnuabi64-ranlib,mips64-linux-gnuabi64-readelf,mips64-linux-gnuabi64-size,mips64-linux-gnuabi64-strings,mips64-linux-gnuabi64-strip name: binutils-mips64-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mips64-linux-gnuabin32-addr2line,mips64-linux-gnuabin32-ar,mips64-linux-gnuabin32-as,mips64-linux-gnuabin32-c++filt,mips64-linux-gnuabin32-dwp,mips64-linux-gnuabin32-elfedit,mips64-linux-gnuabin32-gprof,mips64-linux-gnuabin32-ld,mips64-linux-gnuabin32-ld.bfd,mips64-linux-gnuabin32-ld.gold,mips64-linux-gnuabin32-nm,mips64-linux-gnuabin32-objcopy,mips64-linux-gnuabin32-objdump,mips64-linux-gnuabin32-ranlib,mips64-linux-gnuabin32-readelf,mips64-linux-gnuabin32-size,mips64-linux-gnuabin32-strings,mips64-linux-gnuabin32-strip name: binutils-mips64el-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mips64el-linux-gnuabi64-addr2line,mips64el-linux-gnuabi64-ar,mips64el-linux-gnuabi64-as,mips64el-linux-gnuabi64-c++filt,mips64el-linux-gnuabi64-dwp,mips64el-linux-gnuabi64-elfedit,mips64el-linux-gnuabi64-gprof,mips64el-linux-gnuabi64-ld,mips64el-linux-gnuabi64-ld.bfd,mips64el-linux-gnuabi64-ld.gold,mips64el-linux-gnuabi64-nm,mips64el-linux-gnuabi64-objcopy,mips64el-linux-gnuabi64-objdump,mips64el-linux-gnuabi64-ranlib,mips64el-linux-gnuabi64-readelf,mips64el-linux-gnuabi64-size,mips64el-linux-gnuabi64-strings,mips64el-linux-gnuabi64-strip name: binutils-mips64el-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mips64el-linux-gnuabin32-addr2line,mips64el-linux-gnuabin32-ar,mips64el-linux-gnuabin32-as,mips64el-linux-gnuabin32-c++filt,mips64el-linux-gnuabin32-dwp,mips64el-linux-gnuabin32-elfedit,mips64el-linux-gnuabin32-gprof,mips64el-linux-gnuabin32-ld,mips64el-linux-gnuabin32-ld.bfd,mips64el-linux-gnuabin32-ld.gold,mips64el-linux-gnuabin32-nm,mips64el-linux-gnuabin32-objcopy,mips64el-linux-gnuabin32-objdump,mips64el-linux-gnuabin32-ranlib,mips64el-linux-gnuabin32-readelf,mips64el-linux-gnuabin32-size,mips64el-linux-gnuabin32-strings,mips64el-linux-gnuabin32-strip name: binutils-mipsel-linux-gnu version: 2.30-15ubuntu1 commands: mipsel-linux-gnu-addr2line,mipsel-linux-gnu-ar,mipsel-linux-gnu-as,mipsel-linux-gnu-c++filt,mipsel-linux-gnu-dwp,mipsel-linux-gnu-elfedit,mipsel-linux-gnu-gprof,mipsel-linux-gnu-ld,mipsel-linux-gnu-ld.bfd,mipsel-linux-gnu-ld.gold,mipsel-linux-gnu-nm,mipsel-linux-gnu-objcopy,mipsel-linux-gnu-objdump,mipsel-linux-gnu-ranlib,mipsel-linux-gnu-readelf,mipsel-linux-gnu-size,mipsel-linux-gnu-strings,mipsel-linux-gnu-strip name: binutils-mipsisa32r6-linux-gnu version: 2.30-15ubuntu1 commands: mipsisa32r6-linux-gnu-addr2line,mipsisa32r6-linux-gnu-ar,mipsisa32r6-linux-gnu-as,mipsisa32r6-linux-gnu-c++filt,mipsisa32r6-linux-gnu-dwp,mipsisa32r6-linux-gnu-elfedit,mipsisa32r6-linux-gnu-gprof,mipsisa32r6-linux-gnu-ld,mipsisa32r6-linux-gnu-ld.bfd,mipsisa32r6-linux-gnu-ld.gold,mipsisa32r6-linux-gnu-nm,mipsisa32r6-linux-gnu-objcopy,mipsisa32r6-linux-gnu-objdump,mipsisa32r6-linux-gnu-ranlib,mipsisa32r6-linux-gnu-readelf,mipsisa32r6-linux-gnu-size,mipsisa32r6-linux-gnu-strings,mipsisa32r6-linux-gnu-strip name: binutils-mipsisa32r6el-linux-gnu version: 2.30-15ubuntu1 commands: mipsisa32r6el-linux-gnu-addr2line,mipsisa32r6el-linux-gnu-ar,mipsisa32r6el-linux-gnu-as,mipsisa32r6el-linux-gnu-c++filt,mipsisa32r6el-linux-gnu-dwp,mipsisa32r6el-linux-gnu-elfedit,mipsisa32r6el-linux-gnu-gprof,mipsisa32r6el-linux-gnu-ld,mipsisa32r6el-linux-gnu-ld.bfd,mipsisa32r6el-linux-gnu-ld.gold,mipsisa32r6el-linux-gnu-nm,mipsisa32r6el-linux-gnu-objcopy,mipsisa32r6el-linux-gnu-objdump,mipsisa32r6el-linux-gnu-ranlib,mipsisa32r6el-linux-gnu-readelf,mipsisa32r6el-linux-gnu-size,mipsisa32r6el-linux-gnu-strings,mipsisa32r6el-linux-gnu-strip name: binutils-mipsisa64r6-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mipsisa64r6-linux-gnuabi64-addr2line,mipsisa64r6-linux-gnuabi64-ar,mipsisa64r6-linux-gnuabi64-as,mipsisa64r6-linux-gnuabi64-c++filt,mipsisa64r6-linux-gnuabi64-dwp,mipsisa64r6-linux-gnuabi64-elfedit,mipsisa64r6-linux-gnuabi64-gprof,mipsisa64r6-linux-gnuabi64-ld,mipsisa64r6-linux-gnuabi64-ld.bfd,mipsisa64r6-linux-gnuabi64-ld.gold,mipsisa64r6-linux-gnuabi64-nm,mipsisa64r6-linux-gnuabi64-objcopy,mipsisa64r6-linux-gnuabi64-objdump,mipsisa64r6-linux-gnuabi64-ranlib,mipsisa64r6-linux-gnuabi64-readelf,mipsisa64r6-linux-gnuabi64-size,mipsisa64r6-linux-gnuabi64-strings,mipsisa64r6-linux-gnuabi64-strip name: binutils-mipsisa64r6-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mipsisa64r6-linux-gnuabin32-addr2line,mipsisa64r6-linux-gnuabin32-ar,mipsisa64r6-linux-gnuabin32-as,mipsisa64r6-linux-gnuabin32-c++filt,mipsisa64r6-linux-gnuabin32-dwp,mipsisa64r6-linux-gnuabin32-elfedit,mipsisa64r6-linux-gnuabin32-gprof,mipsisa64r6-linux-gnuabin32-ld,mipsisa64r6-linux-gnuabin32-ld.bfd,mipsisa64r6-linux-gnuabin32-ld.gold,mipsisa64r6-linux-gnuabin32-nm,mipsisa64r6-linux-gnuabin32-objcopy,mipsisa64r6-linux-gnuabin32-objdump,mipsisa64r6-linux-gnuabin32-ranlib,mipsisa64r6-linux-gnuabin32-readelf,mipsisa64r6-linux-gnuabin32-size,mipsisa64r6-linux-gnuabin32-strings,mipsisa64r6-linux-gnuabin32-strip name: binutils-mipsisa64r6el-linux-gnuabi64 version: 2.30-15ubuntu1 commands: mipsisa64r6el-linux-gnuabi64-addr2line,mipsisa64r6el-linux-gnuabi64-ar,mipsisa64r6el-linux-gnuabi64-as,mipsisa64r6el-linux-gnuabi64-c++filt,mipsisa64r6el-linux-gnuabi64-dwp,mipsisa64r6el-linux-gnuabi64-elfedit,mipsisa64r6el-linux-gnuabi64-gprof,mipsisa64r6el-linux-gnuabi64-ld,mipsisa64r6el-linux-gnuabi64-ld.bfd,mipsisa64r6el-linux-gnuabi64-ld.gold,mipsisa64r6el-linux-gnuabi64-nm,mipsisa64r6el-linux-gnuabi64-objcopy,mipsisa64r6el-linux-gnuabi64-objdump,mipsisa64r6el-linux-gnuabi64-ranlib,mipsisa64r6el-linux-gnuabi64-readelf,mipsisa64r6el-linux-gnuabi64-size,mipsisa64r6el-linux-gnuabi64-strings,mipsisa64r6el-linux-gnuabi64-strip name: binutils-mipsisa64r6el-linux-gnuabin32 version: 2.30-15ubuntu1 commands: mipsisa64r6el-linux-gnuabin32-addr2line,mipsisa64r6el-linux-gnuabin32-ar,mipsisa64r6el-linux-gnuabin32-as,mipsisa64r6el-linux-gnuabin32-c++filt,mipsisa64r6el-linux-gnuabin32-dwp,mipsisa64r6el-linux-gnuabin32-elfedit,mipsisa64r6el-linux-gnuabin32-gprof,mipsisa64r6el-linux-gnuabin32-ld,mipsisa64r6el-linux-gnuabin32-ld.bfd,mipsisa64r6el-linux-gnuabin32-ld.gold,mipsisa64r6el-linux-gnuabin32-nm,mipsisa64r6el-linux-gnuabin32-objcopy,mipsisa64r6el-linux-gnuabin32-objdump,mipsisa64r6el-linux-gnuabin32-ranlib,mipsisa64r6el-linux-gnuabin32-readelf,mipsisa64r6el-linux-gnuabin32-size,mipsisa64r6el-linux-gnuabin32-strings,mipsisa64r6el-linux-gnuabin32-strip name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-powerpc-linux-gnuspe version: 2.30-15ubuntu1 commands: powerpc-linux-gnuspe-addr2line,powerpc-linux-gnuspe-ar,powerpc-linux-gnuspe-as,powerpc-linux-gnuspe-c++filt,powerpc-linux-gnuspe-dwp,powerpc-linux-gnuspe-elfedit,powerpc-linux-gnuspe-gprof,powerpc-linux-gnuspe-ld,powerpc-linux-gnuspe-ld.bfd,powerpc-linux-gnuspe-ld.gold,powerpc-linux-gnuspe-nm,powerpc-linux-gnuspe-objcopy,powerpc-linux-gnuspe-objdump,powerpc-linux-gnuspe-ranlib,powerpc-linux-gnuspe-readelf,powerpc-linux-gnuspe-size,powerpc-linux-gnuspe-strings,powerpc-linux-gnuspe-strip name: binutils-powerpc64-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64-linux-gnu-addr2line,powerpc64-linux-gnu-ar,powerpc64-linux-gnu-as,powerpc64-linux-gnu-c++filt,powerpc64-linux-gnu-dwp,powerpc64-linux-gnu-elfedit,powerpc64-linux-gnu-gprof,powerpc64-linux-gnu-ld,powerpc64-linux-gnu-ld.bfd,powerpc64-linux-gnu-ld.gold,powerpc64-linux-gnu-nm,powerpc64-linux-gnu-objcopy,powerpc64-linux-gnu-objdump,powerpc64-linux-gnu-ranlib,powerpc64-linux-gnu-readelf,powerpc64-linux-gnu-size,powerpc64-linux-gnu-strings,powerpc64-linux-gnu-strip name: binutils-riscv64-linux-gnu version: 2.30-15ubuntu1 commands: riscv64-linux-gnu-addr2line,riscv64-linux-gnu-ar,riscv64-linux-gnu-as,riscv64-linux-gnu-c++filt,riscv64-linux-gnu-elfedit,riscv64-linux-gnu-gprof,riscv64-linux-gnu-ld,riscv64-linux-gnu-ld.bfd,riscv64-linux-gnu-nm,riscv64-linux-gnu-objcopy,riscv64-linux-gnu-objdump,riscv64-linux-gnu-ranlib,riscv64-linux-gnu-readelf,riscv64-linux-gnu-size,riscv64-linux-gnu-strings,riscv64-linux-gnu-strip name: binutils-sh4-linux-gnu version: 2.30-15ubuntu1 commands: sh4-linux-gnu-addr2line,sh4-linux-gnu-ar,sh4-linux-gnu-as,sh4-linux-gnu-c++filt,sh4-linux-gnu-elfedit,sh4-linux-gnu-gprof,sh4-linux-gnu-ld,sh4-linux-gnu-ld.bfd,sh4-linux-gnu-nm,sh4-linux-gnu-objcopy,sh4-linux-gnu-objdump,sh4-linux-gnu-ranlib,sh4-linux-gnu-readelf,sh4-linux-gnu-size,sh4-linux-gnu-strings,sh4-linux-gnu-strip name: binutils-sparc64-linux-gnu version: 2.30-15ubuntu1 commands: sparc64-linux-gnu-addr2line,sparc64-linux-gnu-ar,sparc64-linux-gnu-as,sparc64-linux-gnu-c++filt,sparc64-linux-gnu-dwp,sparc64-linux-gnu-elfedit,sparc64-linux-gnu-gprof,sparc64-linux-gnu-ld,sparc64-linux-gnu-ld.bfd,sparc64-linux-gnu-ld.gold,sparc64-linux-gnu-nm,sparc64-linux-gnu-objcopy,sparc64-linux-gnu-objdump,sparc64-linux-gnu-ranlib,sparc64-linux-gnu-readelf,sparc64-linux-gnu-size,sparc64-linux-gnu-strings,sparc64-linux-gnu-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-eagle version: 2.4-1 commands: bio-eagle name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: biom-format-tools version: 2.1.5+dfsg-7build2 commands: biom name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosdevname version: 0.4.1-0ubuntu10 commands: biosdevname name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: blcr-util version: 0.8.5-2.3 commands: cr_checkpoint,cr_restart,cr_run name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildapp version: 1.5.6-1 commands: buildapp name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: burp version: 2.0.54-4build1 commands: bedup,bsigs,burp,burp_ca,vss_strip name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: cafeobj version: 1.5.7-1 commands: cafeobj name: caffe-tools-cpu version: 1.0.0-6 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: care version: 2.2.1-1build1 commands: care name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cciss-vol-status version: 1.12-1 commands: cciss_vol_status name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cde version: 0.1+git9-g551e54d-1.1 commands: cde,cde-exec name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cenon.app version: 4.0.2-1build3 commands: Cenon name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgpt version: 0~R63-10032.B-3 commands: cgpt name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chezscheme9.5 version: 9.5+dfsg-2build2 commands: chezscheme9.5,petite9.5,scheme-script9.5 name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: choreonoid version: 1.5.0+dfsg-0.1build3 commands: choreonoid name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-browser version: 65.0.3325.181-0ubuntu1 commands: chromium-browser,gnome-www-browser,x-www-browser name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: clementine version: 1.3.1+git276-g3485bbe43+dfsg-1.1build1 commands: clementine,clementine-tagreader name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clisp version: 1:2.49.20170913-4build1 commands: clisp,clisp-link name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clsync version: 0.4.2-1 commands: clsync name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmospwd version: 5.0+dfsg-2build1 commands: cmospwd name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colmap version: 3.4-1 commands: colmap name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectome-workbench version: 1.2.3+git41-gc4c6c90-2 commands: wb_command,wb_shortcuts,wb_view name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,make_growfs,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,parrot_cp,parrot_getacl,parrot_identity_box,parrot_locate,parrot_lsalloc,parrot_md5,parrot_mkalloc,parrot_run,parrot_search,parrot_setacl,parrot_timeout,parrot_whoami,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: cpp-4.8,i686-linux-gnu-cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: cpp-5,i686-linux-gnu-cpp-5 name: cpp-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-cpp-5 name: cpp-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-cpp-5 name: cpp-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-cpp-5 name: cpp-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-5 name: cpp-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-cpp-5 name: cpp-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-cpp-5 name: cpp-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-cpp-5 name: cpp-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-cpp-5 name: cpp-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-cpp-5 name: cpp-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-cpp-5 name: cpp-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-cpp-5 name: cpp-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-cpp-5 name: cpp-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-cpp-5 name: cpp-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-cpp-5 name: cpp-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-cpp-5 name: cpp-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-cpp-5 name: cpp-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: cpp-6,i686-linux-gnu-cpp-6 name: cpp-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-cpp-6 name: cpp-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-cpp-6 name: cpp-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-cpp-6 name: cpp-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-cpp-6 name: cpp-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-cpp-6 name: cpp-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-cpp-6 name: cpp-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-cpp-6 name: cpp-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-cpp-6 name: cpp-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-cpp-6 name: cpp-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-cpp-6 name: cpp-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-cpp-6 name: cpp-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-cpp-6 name: cpp-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-cpp-6 name: cpp-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-cpp-6 name: cpp-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-cpp-6 name: cpp-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-cpp-6 name: cpp-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-6 name: cpp-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-cpp-7 name: cpp-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-cpp-7 name: cpp-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-cpp-7 name: cpp-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-cpp-7 name: cpp-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-cpp-7 name: cpp-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-cpp-7 name: cpp-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-cpp-7 name: cpp-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-cpp-7 name: cpp-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-cpp-7 name: cpp-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-cpp-7 name: cpp-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-cpp-7 name: cpp-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-cpp-7 name: cpp-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-cpp-7 name: cpp-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-cpp-7 name: cpp-8 version: 8-20180414-1ubuntu2 commands: cpp-8,i686-linux-gnu-cpp-8 name: cpp-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-cpp-8 name: cpp-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-cpp-8 name: cpp-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-cpp-8 name: cpp-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-cpp-8 name: cpp-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-cpp-8 name: cpp-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-cpp-8 name: cpp-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-cpp-8 name: cpp-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-cpp-8 name: cpp-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-cpp-8 name: cpp-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-cpp-8 name: cpp-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-cpp-8 name: cpp-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-cpp-8 name: cpp-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-cpp-8 name: cpp-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-cpp-8 name: cpp-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-cpp-8 name: cpp-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-cpp-8 name: cpp-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-cpp-8 name: cpp-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-cpp-8 name: cpp-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-cpp name: cpp-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-cpp name: cpp-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-cpp name: cpp-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-cpp name: cpp-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-cpp name: cpp-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-cpp name: cpp-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-cpp name: cpp-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-cpp name: cpp-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-cpp name: cpp-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-cpp name: cpp-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-cpp name: cpp-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-cpp name: cpp-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-cpp name: cpp-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-cpp name: cpp-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-cpp name: cpp-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-cpp name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cpqarrayd version: 2.3.5ubuntu1 commands: cpqarrayd name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpuid version: 20170122-1 commands: cpuid,cpuinfo2cpuid name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: cqrlog version: 2.0.5-3ubuntu1 commands: cqrlog name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: cryptmount,cryptmount-setup name: cryptol version: 2.4.0-3 commands: cryptol name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: ctfutils version: 10.3~svn297264-2 commands: ctfconvert,ctfdump,ctfmerge name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvc4 version: 1.5-1 commands: cvc4,pcvc4 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: dapl2-utils version: 2.1.10.1.f1e05b7a-3 commands: dapltest,dtest,dtestcm,dtestsrq,dtestx name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddccontrol version: 0.4.3-2 commands: ddccontrol,ddcpci name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrescueview version: 0.4~alpha3-2 commands: ddrescueview name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: debootstick version: 1.2 commands: debootstick name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debos version: 1.0.0+git20180112.6e577d4-1 commands: debos name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debug-me version: 1.20170810-1 commands: debug-me name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-movie version: 3.2.3-2 commands: deepin-movie name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-screenshot version: 4.0.11-1 commands: deepin-screenshot name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deepnano version: 0.0+20160706-1ubuntu1 commands: deepnano_basecall,deepnano_basecall_no_metrichor name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dexdump version: 7.0.0+r33-1 commands: dexdump name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: digitools version: 1.03-1.2 commands: digifan,digipanel,digiradio,digitools,digiwake,ozedit name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: direwolf version: 1.4+dfsg-1build1 commands: aclients,atest,decode_aprs,direwolf,gen_packets,log2gpx,text2tt,tt2text name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtcp version: 2.3.1-6 commands: dmtcp_checkpoint,dmtcp_command,dmtcp_coordinator,dmtcp_discover_rm,dmtcp_launch,dmtcp_nocheckpoint,dmtcp_restart,dmtcp_rm_loclaunch,dmtcp_ssh,dmtcp_sshd,mtcp_restart name: dmtracedump version: 7.0.0+r33-1 commands: dmtracedump name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doomsday version: 1.15.8-5build1 commands: boom,doom,doomsday,doomsday-compat,heretic,hexen name: doomsday-server version: 1.15.8-5build1 commands: doomsday-server name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dozzaqueux version: 3.51-2 commands: dozzaqueux name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: dq version: 20161210-1 commands: dq name: dqcache version: 20161210-1 commands: dqcache,dqcache-makekey,dqcache-start name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dub version: 1.8.0-2 commands: dub name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustmite version: 0~20170126.e95dff8-2 commands: dustmite name: dustracing2d version: 2.0.1-1 commands: dustrac-editor,dustrac-game name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: e3 version: 1:2.71-1 commands: e3,e3em,e3ne,e3pi,e3vi,e3ws,editor,emacs,vi name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: eclipse-titan version: 6.3.1-1build1 commands: asn1_compiler,compiler,logformat,makefilegen,mctr,mctr_cli,repgen,tcov2lcov,titanver,ttcn3_compiler,ttcn3_help,ttcn3_logfilter,ttcn3_logformat,ttcn3_logmerge,ttcn3_makefilegen,ttcn3_profmerge,ttcn3_repgen,ttcn3_start,xsd2ttcn name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edb-debugger version: 0.9.21-3 commands: edb name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: el-ixir version: 3.0-1 commands: el-ixir name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: elastix version: 4.8-12build1 commands: elastix,transformix name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs-mozc-bin version: 2.20.2673.102+dfsg-2 commands: mozc_emacs_helper name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emscripten version: 1.22.1-1build1 commands: em++,em-config,emar,emcc,emcc.py,emconfigure,emmake,emranlib,emscons,emscripten.py name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-base-hipe version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etc1tool version: 7.0.0+r33-1 commands: etc1tool name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d,evolver-nox-ld,evolver-nox-q name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d,evolver-ogl-ld,evolver-ogl-q name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: examl version: 3.0.20-1 commands: examl,examl-AVX,examl-OMP,examl-OMP-AVX,parse-examl name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext3grep version: 0.10.2-3ubuntu1 commands: ext3grep name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extlinux version: 3:6.03+dfsg1-2 commands: extlinux name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezquake version: 2.2+git20150324-1 commands: ezquake name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: fakemachine version: 0.0~git20180126.e307c2f-1 commands: fakemachine name: faker version: 0.7.7-2 commands: faker name: fakeroot-ng version: 0.18-4build1 commands: fakeroot,fakeroot-ng name: faketime version: 0.9.7-2 commands: faketime name: falkon version: 3.0.0-0ubuntu3 commands: falkon,x-www-browser name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fasm version: 1.73.02-1 commands: fasm name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastboot version: 1:7.0.0+r33-2 commands: fastboot name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastnetmon version: 1.1.3+dfsg-6build1 commands: fastnetmon,fastnetmon_client name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidcl version: 0.3.1-4 commands: fdroidcl name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: fdutils version: 5.5-20060227-7build1 commands: MAKEFLOPPIES,diskd,diskseekd,fdlist,fdmount,fdmountd,fdrawcmd,fdumount,fdutilsconfig,floppycontrol,floppymeter,getfdprm,setfdprm,superformat,xdfcopy,xdfformat name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvmip name: fenix version: 0.92a.dfsg1-11.1build1 commands: fenix,fenix-fpg,fenix-fxc,fenix-fxi,fenix-map name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fgrun version: 2016.4.0-1 commands: fgrun name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexdll version: 4.01.0~20140328-1build6 commands: flexlink name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flightgear version: 1:2018.1.1+dfsg-1 commands: GPSsmooth,JSBSim,MIDGsmooth,UGsmooth,fgcom,fgelev,fgfs,fgjs,fgtraffic,fgviewer,js_demo,metar,yasim,yasim-proptest name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmit version: 1.0.0-1build1 commands: fmit name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnfx-client version: 0.3-16ubuntu1 commands: fnfx-client name: fnfxd version: 0.3-16ubuntu1 commands: fnfxd name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-compiler-3.0.4 version: 3.0.4+dfsg-18 commands: fpc,fpc-depends,fpc-depends-3.0.4,fpcres,i386-linux-gnu-fpc-3.0.4,i386-linux-gnu-fpcmkcfg-3.0.4,i386-linux-gnu-fpcres-3.0.4,pc,ppc386,ppc386-3.0.4 name: fp-ide-3.0.4 version: 3.0.4+dfsg-18 commands: fp,fp-3.0.4 name: fp-units-castle-game-engine version: 6.4+dfsg1-2 commands: castle-curves,castle-engine,image-to-pascal,sprite-sheet-to-x3d,texture-font-to-pascal name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fp-utils-3.0.4 version: 3.0.4+dfsg-18 commands: bin2obj,bin2obj-3.0.4,chmcmd,chmcmd-3.0.4,chmls,chmls-3.0.4,data2inc,data2inc-3.0.4,delp,delp-3.0.4,fd2pascal-3.0.4,fpcjres-3.0.4,fpclasschart,fpclasschart-3.0.4,fpcmake,fpcmake-3.0.4,fpcsubst,fpcsubst-3.0.4,fpdoc,fpdoc-3.0.4,fppkg,fppkg-3.0.4,fprcp,fprcp-3.0.4,grab_vcsa,grab_vcsa-3.0.4,h2pas,h2pas-3.0.4,h2paspp,h2paspp-3.0.4,ifpc,ifpc-3.0.4,instantfpc,makeskel,makeskel-3.0.4,pas2fpm-3.0.4,pas2jni-3.0.4,pas2ut-3.0.4,plex,plex-3.0.4,postw32,postw32-3.0.4,ppdep,ppdep-3.0.4,ppudump,ppudump-3.0.4,ppufiles,ppufiles-3.0.4,ppumove,ppumove-3.0.4,ptop,ptop-3.0.4,pyacc,pyacc-3.0.4,relpath,relpath-3.0.4,rmcvsdir,rmcvsdir-3.0.4,rstconv,rstconv-3.0.4,unitdiff,unitdiff-3.0.4 name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fracplanet version: 0.5.1-2 commands: fracplanet name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: fraqtive version: 0.4.8-5 commands: fraqtive name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecad version: 0.16.6712+dfsg1-1ubuntu2 commands: freecad,freecadcmd name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemat version: 4.2+dfsg1-6 commands: freemat name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fscrypt version: 0.2.2-0ubuntu2 commands: fscrypt name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswatch version: 1.11.2+repack-10 commands: fswatch name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseext2 version: 0.4-1.1ubuntu0.1 commands: fuse-ext2,fuseext2,mount.fuse-ext2,mount.fuseext2 name: fusefat version: 0.1a-1.1build1 commands: fusefat name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fuseiso9660 version: 0.3-1.2 commands: fuseiso9660 name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: g++-4.8,i686-linux-gnu-g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: g++-5,i686-linux-gnu-g++-5 name: g++-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-g++-5 name: g++-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-g++-5 name: g++-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-g++-5 name: g++-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-g++-5 name: g++-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-g++-5 name: g++-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-g++-5 name: g++-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-g++-5 name: g++-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-g++-5 name: g++-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-g++-5 name: g++-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-g++-5 name: g++-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-g++-5 name: g++-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-g++-5 name: g++-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-g++-5 name: g++-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-g++-5 name: g++-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-g++-5 name: g++-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-g++-5 name: g++-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: g++-6,i686-linux-gnu-g++-6 name: g++-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-g++-6 name: g++-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-g++-6 name: g++-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-g++-6 name: g++-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-g++-6 name: g++-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-g++-6 name: g++-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-g++-6 name: g++-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-g++-6 name: g++-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-g++-6 name: g++-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-g++-6 name: g++-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-g++-6 name: g++-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-g++-6 name: g++-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-g++-6 name: g++-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-g++-6 name: g++-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-g++-6 name: g++-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-g++-6 name: g++-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-g++-6 name: g++-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-g++-6 name: g++-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-g++-7 name: g++-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-g++-7 name: g++-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-g++-7 name: g++-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-g++-7 name: g++-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-g++-7 name: g++-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-g++-7 name: g++-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-g++-7 name: g++-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-g++-7 name: g++-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-g++-7 name: g++-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-g++-7 name: g++-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-g++-7 name: g++-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-g++-7 name: g++-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-g++-7 name: g++-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-g++-7 name: g++-8 version: 8-20180414-1ubuntu2 commands: g++-8,i686-linux-gnu-g++-8 name: g++-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-g++-8 name: g++-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-g++-8 name: g++-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-g++-8 name: g++-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-g++-8 name: g++-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-g++-8 name: g++-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-g++-8 name: g++-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-g++-8 name: g++-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-g++-8 name: g++-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-g++-8 name: g++-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-g++-8 name: g++-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-g++-8 name: g++-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-g++-8 name: g++-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-g++-8 name: g++-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-g++-8 name: g++-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-g++-8 name: g++-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-g++-8 name: g++-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-g++-8 name: g++-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-g++-8 name: g++-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-g++ name: g++-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-g++ name: g++-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-g++ name: g++-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-g++ name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g++-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-g++ name: g++-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-g++ name: g++-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-g++ name: g++-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-g++ name: g++-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-g++ name: g++-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-g++ name: g++-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-g++ name: g++-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-g++ name: g++-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-g++ name: g++-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-g++ name: g++-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-g++ name: g++-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-g++ name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gatos version: 0.0.5-19ubuntu1 commands: atisplit,atitogif,atitojpg,atitoppm,atitv,gatos-conf,scanpci.gatos,xatitv,yuvsum name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gazebo9 version: 9.0.0+dfsg5-3ubuntu1 commands: gazebo,gazebo-9.0.0,gz,gz-9.0.0,gzclient,gzclient-9.0.0,gzprop,gzserver,gzserver-9.0.0 name: gb version: 0.4.4-2 commands: gb,gb-vendor name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8,i686-linux-gnu-gcc-4.8,i686-linux-gnu-gcc-ar-4.8,i686-linux-gnu-gcc-nm-4.8,i686-linux-gnu-gcc-ranlib-4.8,i686-linux-gnu-gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5,i686-linux-gnu-gcc-5,i686-linux-gnu-gcc-ar-5,i686-linux-gnu-gcc-nm-5,i686-linux-gnu-gcc-ranlib-5,i686-linux-gnu-gcov-5,i686-linux-gnu-gcov-dump-5,i686-linux-gnu-gcov-tool-5 name: gcc-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gcc-5,aarch64-linux-gnu-gcc-ar-5,aarch64-linux-gnu-gcc-nm-5,aarch64-linux-gnu-gcc-ranlib-5,aarch64-linux-gnu-gcov-5,aarch64-linux-gnu-gcov-dump-5,aarch64-linux-gnu-gcov-tool-5 name: gcc-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gcc-5,alpha-linux-gnu-gcc-ar-5,alpha-linux-gnu-gcc-nm-5,alpha-linux-gnu-gcc-ranlib-5,alpha-linux-gnu-gcov-5,alpha-linux-gnu-gcov-dump-5,alpha-linux-gnu-gcov-tool-5 name: gcc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gcc-5,arm-linux-gnueabi-gcc-ar-5,arm-linux-gnueabi-gcc-nm-5,arm-linux-gnueabi-gcc-ranlib-5,arm-linux-gnueabi-gcov-5,arm-linux-gnueabi-gcov-dump-5,arm-linux-gnueabi-gcov-tool-5 name: gcc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-5,arm-linux-gnueabihf-gcc-ar-5,arm-linux-gnueabihf-gcc-nm-5,arm-linux-gnueabihf-gcc-ranlib-5,arm-linux-gnueabihf-gcov-5,arm-linux-gnueabihf-gcov-dump-5,arm-linux-gnueabihf-gcov-tool-5 name: gcc-5-hppa64-linux-gnu version: 5.5.0-12ubuntu1 commands: hppa64-linux-gnu-cpp-5,hppa64-linux-gnu-gcc-5,hppa64-linux-gnu-gcc-ar-5,hppa64-linux-gnu-gcc-nm-5,hppa64-linux-gnu-gcc-ranlib-5 name: gcc-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gcc-5,m68k-linux-gnu-gcc-ar-5,m68k-linux-gnu-gcc-nm-5,m68k-linux-gnu-gcc-ranlib-5,m68k-linux-gnu-gcov-5,m68k-linux-gnu-gcov-dump-5,m68k-linux-gnu-gcov-tool-5 name: gcc-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gcc-5,mips-linux-gnu-gcc-ar-5,mips-linux-gnu-gcc-nm-5,mips-linux-gnu-gcc-ranlib-5,mips-linux-gnu-gcov-5,mips-linux-gnu-gcov-dump-5,mips-linux-gnu-gcov-tool-5 name: gcc-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gcc-5,mips64-linux-gnuabi64-gcc-ar-5,mips64-linux-gnuabi64-gcc-nm-5,mips64-linux-gnuabi64-gcc-ranlib-5,mips64-linux-gnuabi64-gcov-5,mips64-linux-gnuabi64-gcov-dump-5,mips64-linux-gnuabi64-gcov-tool-5 name: gcc-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gcc-5,mips64el-linux-gnuabi64-gcc-ar-5,mips64el-linux-gnuabi64-gcc-nm-5,mips64el-linux-gnuabi64-gcc-ranlib-5,mips64el-linux-gnuabi64-gcov-5,mips64el-linux-gnuabi64-gcov-dump-5,mips64el-linux-gnuabi64-gcov-tool-5 name: gcc-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gcc-5,mipsel-linux-gnu-gcc-ar-5,mipsel-linux-gnu-gcc-nm-5,mipsel-linux-gnu-gcc-ranlib-5,mipsel-linux-gnu-gcov-5,mipsel-linux-gnu-gcov-dump-5,mipsel-linux-gnu-gcov-tool-5 name: gcc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gcc-5,powerpc-linux-gnu-gcc-ar-5,powerpc-linux-gnu-gcc-nm-5,powerpc-linux-gnu-gcc-ranlib-5,powerpc-linux-gnu-gcov-5,powerpc-linux-gnu-gcov-dump-5,powerpc-linux-gnu-gcov-tool-5 name: gcc-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gcc-5,powerpc-linux-gnuspe-gcc-ar-5,powerpc-linux-gnuspe-gcc-nm-5,powerpc-linux-gnuspe-gcc-ranlib-5,powerpc-linux-gnuspe-gcov-5,powerpc-linux-gnuspe-gcov-dump-5,powerpc-linux-gnuspe-gcov-tool-5 name: gcc-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gcc-5,powerpc64-linux-gnu-gcc-ar-5,powerpc64-linux-gnu-gcc-nm-5,powerpc64-linux-gnu-gcc-ranlib-5,powerpc64-linux-gnu-gcov-5,powerpc64-linux-gnu-gcov-dump-5,powerpc64-linux-gnu-gcov-tool-5 name: gcc-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gcc-5,powerpc64le-linux-gnu-gcc-ar-5,powerpc64le-linux-gnu-gcc-nm-5,powerpc64le-linux-gnu-gcc-ranlib-5,powerpc64le-linux-gnu-gcov-5,powerpc64le-linux-gnu-gcov-dump-5,powerpc64le-linux-gnu-gcov-tool-5 name: gcc-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gcc-5,s390x-linux-gnu-gcc-ar-5,s390x-linux-gnu-gcc-nm-5,s390x-linux-gnu-gcc-ranlib-5,s390x-linux-gnu-gcov-5,s390x-linux-gnu-gcov-dump-5,s390x-linux-gnu-gcov-tool-5 name: gcc-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gcc-5,sh4-linux-gnu-gcc-ar-5,sh4-linux-gnu-gcc-nm-5,sh4-linux-gnu-gcc-ranlib-5,sh4-linux-gnu-gcov-5,sh4-linux-gnu-gcov-dump-5,sh4-linux-gnu-gcov-tool-5 name: gcc-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gcc-5,sparc64-linux-gnu-gcc-ar-5,sparc64-linux-gnu-gcc-nm-5,sparc64-linux-gnu-gcc-ranlib-5,sparc64-linux-gnu-gcov-5,sparc64-linux-gnu-gcov-dump-5,sparc64-linux-gnu-gcov-tool-5 name: gcc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-5,x86_64-linux-gnux32-gcc-ar-5,x86_64-linux-gnux32-gcc-nm-5,x86_64-linux-gnux32-gcc-ranlib-5,x86_64-linux-gnux32-gcov-5,x86_64-linux-gnux32-gcov-dump-5,x86_64-linux-gnux32-gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6,i686-linux-gnu-gcc-6,i686-linux-gnu-gcc-ar-6,i686-linux-gnu-gcc-nm-6,i686-linux-gnu-gcc-ranlib-6,i686-linux-gnu-gcov-6,i686-linux-gnu-gcov-dump-6,i686-linux-gnu-gcov-tool-6 name: gcc-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gcc-6,aarch64-linux-gnu-gcc-ar-6,aarch64-linux-gnu-gcc-nm-6,aarch64-linux-gnu-gcc-ranlib-6,aarch64-linux-gnu-gcov-6,aarch64-linux-gnu-gcov-dump-6,aarch64-linux-gnu-gcov-tool-6 name: gcc-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gcc-6,alpha-linux-gnu-gcc-ar-6,alpha-linux-gnu-gcc-nm-6,alpha-linux-gnu-gcc-ranlib-6,alpha-linux-gnu-gcov-6,alpha-linux-gnu-gcov-dump-6,alpha-linux-gnu-gcov-tool-6 name: gcc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gcc-6,arm-linux-gnueabi-gcc-ar-6,arm-linux-gnueabi-gcc-nm-6,arm-linux-gnueabi-gcc-ranlib-6,arm-linux-gnueabi-gcov-6,arm-linux-gnueabi-gcov-dump-6,arm-linux-gnueabi-gcov-tool-6 name: gcc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gcc-6,arm-linux-gnueabihf-gcc-ar-6,arm-linux-gnueabihf-gcc-nm-6,arm-linux-gnueabihf-gcc-ranlib-6,arm-linux-gnueabihf-gcov-6,arm-linux-gnueabihf-gcov-dump-6,arm-linux-gnueabihf-gcov-tool-6 name: gcc-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gcc-6,hppa-linux-gnu-gcc-ar-6,hppa-linux-gnu-gcc-nm-6,hppa-linux-gnu-gcc-ranlib-6,hppa-linux-gnu-gcov-6,hppa-linux-gnu-gcov-dump-6,hppa-linux-gnu-gcov-tool-6 name: gcc-6-hppa64-linux-gnu version: 6.4.0-17ubuntu1 commands: hppa64-linux-gnu-cpp-6,hppa64-linux-gnu-gcc-6,hppa64-linux-gnu-gcc-ar-6,hppa64-linux-gnu-gcc-nm-6,hppa64-linux-gnu-gcc-ranlib-6 name: gcc-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gcc-6,m68k-linux-gnu-gcc-ar-6,m68k-linux-gnu-gcc-nm-6,m68k-linux-gnu-gcc-ranlib-6,m68k-linux-gnu-gcov-6,m68k-linux-gnu-gcov-dump-6,m68k-linux-gnu-gcov-tool-6 name: gcc-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gcc-6,mips-linux-gnu-gcc-ar-6,mips-linux-gnu-gcc-nm-6,mips-linux-gnu-gcc-ranlib-6,mips-linux-gnu-gcov-6,mips-linux-gnu-gcov-dump-6,mips-linux-gnu-gcov-tool-6 name: gcc-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gcc-6,mips64-linux-gnuabi64-gcc-ar-6,mips64-linux-gnuabi64-gcc-nm-6,mips64-linux-gnuabi64-gcc-ranlib-6,mips64-linux-gnuabi64-gcov-6,mips64-linux-gnuabi64-gcov-dump-6,mips64-linux-gnuabi64-gcov-tool-6 name: gcc-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gcc-6,mips64el-linux-gnuabi64-gcc-ar-6,mips64el-linux-gnuabi64-gcc-nm-6,mips64el-linux-gnuabi64-gcc-ranlib-6,mips64el-linux-gnuabi64-gcov-6,mips64el-linux-gnuabi64-gcov-dump-6,mips64el-linux-gnuabi64-gcov-tool-6 name: gcc-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gcc-6,mipsel-linux-gnu-gcc-ar-6,mipsel-linux-gnu-gcc-nm-6,mipsel-linux-gnu-gcc-ranlib-6,mipsel-linux-gnu-gcov-6,mipsel-linux-gnu-gcov-dump-6,mipsel-linux-gnu-gcov-tool-6 name: gcc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gcc-6,powerpc-linux-gnu-gcc-ar-6,powerpc-linux-gnu-gcc-nm-6,powerpc-linux-gnu-gcc-ranlib-6,powerpc-linux-gnu-gcov-6,powerpc-linux-gnu-gcov-dump-6,powerpc-linux-gnu-gcov-tool-6 name: gcc-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gcc-6,powerpc-linux-gnuspe-gcc-ar-6,powerpc-linux-gnuspe-gcc-nm-6,powerpc-linux-gnuspe-gcc-ranlib-6,powerpc-linux-gnuspe-gcov-6,powerpc-linux-gnuspe-gcov-dump-6,powerpc-linux-gnuspe-gcov-tool-6 name: gcc-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gcc-6,powerpc64-linux-gnu-gcc-ar-6,powerpc64-linux-gnu-gcc-nm-6,powerpc64-linux-gnu-gcc-ranlib-6,powerpc64-linux-gnu-gcov-6,powerpc64-linux-gnu-gcov-dump-6,powerpc64-linux-gnu-gcov-tool-6 name: gcc-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gcc-6,powerpc64le-linux-gnu-gcc-ar-6,powerpc64le-linux-gnu-gcc-nm-6,powerpc64le-linux-gnu-gcc-ranlib-6,powerpc64le-linux-gnu-gcov-6,powerpc64le-linux-gnu-gcov-dump-6,powerpc64le-linux-gnu-gcov-tool-6 name: gcc-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gcc-6,s390x-linux-gnu-gcc-ar-6,s390x-linux-gnu-gcc-nm-6,s390x-linux-gnu-gcc-ranlib-6,s390x-linux-gnu-gcov-6,s390x-linux-gnu-gcov-dump-6,s390x-linux-gnu-gcov-tool-6 name: gcc-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gcc-6,sh4-linux-gnu-gcc-ar-6,sh4-linux-gnu-gcc-nm-6,sh4-linux-gnu-gcc-ranlib-6,sh4-linux-gnu-gcov-6,sh4-linux-gnu-gcov-dump-6,sh4-linux-gnu-gcov-tool-6 name: gcc-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gcc-6,sparc64-linux-gnu-gcc-ar-6,sparc64-linux-gnu-gcc-nm-6,sparc64-linux-gnu-gcc-ranlib-6,sparc64-linux-gnu-gcov-6,sparc64-linux-gnu-gcov-dump-6,sparc64-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gcc-6,x86_64-linux-gnu-gcc-ar-6,x86_64-linux-gnu-gcc-nm-6,x86_64-linux-gnu-gcc-ranlib-6,x86_64-linux-gnu-gcov-6,x86_64-linux-gnu-gcov-dump-6,x86_64-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-6,x86_64-linux-gnux32-gcc-ar-6,x86_64-linux-gnux32-gcc-nm-6,x86_64-linux-gnux32-gcc-ranlib-6,x86_64-linux-gnux32-gcov-6,x86_64-linux-gnux32-gcov-dump-6,x86_64-linux-gnux32-gcov-tool-6 name: gcc-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gcc-7,alpha-linux-gnu-gcc-ar-7,alpha-linux-gnu-gcc-nm-7,alpha-linux-gnu-gcc-ranlib-7,alpha-linux-gnu-gcov-7,alpha-linux-gnu-gcov-dump-7,alpha-linux-gnu-gcov-tool-7 name: gcc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gcc-7,arm-linux-gnueabi-gcc-ar-7,arm-linux-gnueabi-gcc-nm-7,arm-linux-gnueabi-gcc-ranlib-7,arm-linux-gnueabi-gcov-7,arm-linux-gnueabi-gcov-dump-7,arm-linux-gnueabi-gcov-tool-7 name: gcc-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gcc-7,hppa-linux-gnu-gcc-ar-7,hppa-linux-gnu-gcc-nm-7,hppa-linux-gnu-gcc-ranlib-7,hppa-linux-gnu-gcov-7,hppa-linux-gnu-gcov-dump-7,hppa-linux-gnu-gcov-tool-7 name: gcc-7-hppa64-linux-gnu version: 7.3.0-16ubuntu3 commands: hppa64-linux-gnu-cpp-7,hppa64-linux-gnu-gcc-7,hppa64-linux-gnu-gcc-ar-7,hppa64-linux-gnu-gcc-nm-7,hppa64-linux-gnu-gcc-ranlib-7 name: gcc-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gcc-7,m68k-linux-gnu-gcc-ar-7,m68k-linux-gnu-gcc-nm-7,m68k-linux-gnu-gcc-ranlib-7,m68k-linux-gnu-gcov-7,m68k-linux-gnu-gcov-dump-7,m68k-linux-gnu-gcov-tool-7 name: gcc-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gcc-7,mips-linux-gnu-gcc-ar-7,mips-linux-gnu-gcc-nm-7,mips-linux-gnu-gcc-ranlib-7,mips-linux-gnu-gcov-7,mips-linux-gnu-gcov-dump-7,mips-linux-gnu-gcov-tool-7 name: gcc-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gcc-7,mips64-linux-gnuabi64-gcc-ar-7,mips64-linux-gnuabi64-gcc-nm-7,mips64-linux-gnuabi64-gcc-ranlib-7,mips64-linux-gnuabi64-gcov-7,mips64-linux-gnuabi64-gcov-dump-7,mips64-linux-gnuabi64-gcov-tool-7 name: gcc-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gcc-7,mips64el-linux-gnuabi64-gcc-ar-7,mips64el-linux-gnuabi64-gcc-nm-7,mips64el-linux-gnuabi64-gcc-ranlib-7,mips64el-linux-gnuabi64-gcov-7,mips64el-linux-gnuabi64-gcov-dump-7,mips64el-linux-gnuabi64-gcov-tool-7 name: gcc-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gcc-7,mipsel-linux-gnu-gcc-ar-7,mipsel-linux-gnu-gcc-nm-7,mipsel-linux-gnu-gcc-ranlib-7,mipsel-linux-gnu-gcov-7,mipsel-linux-gnu-gcov-dump-7,mipsel-linux-gnu-gcov-tool-7 name: gcc-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gcc-7,powerpc-linux-gnuspe-gcc-ar-7,powerpc-linux-gnuspe-gcc-nm-7,powerpc-linux-gnuspe-gcc-ranlib-7,powerpc-linux-gnuspe-gcov-7,powerpc-linux-gnuspe-gcov-dump-7,powerpc-linux-gnuspe-gcov-tool-7 name: gcc-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gcc-7,powerpc64-linux-gnu-gcc-ar-7,powerpc64-linux-gnu-gcc-nm-7,powerpc64-linux-gnu-gcc-ranlib-7,powerpc64-linux-gnu-gcov-7,powerpc64-linux-gnu-gcov-dump-7,powerpc64-linux-gnu-gcov-tool-7 name: gcc-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gcc-7,riscv64-linux-gnu-gcc-ar-7,riscv64-linux-gnu-gcc-nm-7,riscv64-linux-gnu-gcc-ranlib-7,riscv64-linux-gnu-gcov-7,riscv64-linux-gnu-gcov-dump-7,riscv64-linux-gnu-gcov-tool-7 name: gcc-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gcc-7,s390x-linux-gnu-gcc-ar-7,s390x-linux-gnu-gcc-nm-7,s390x-linux-gnu-gcc-ranlib-7,s390x-linux-gnu-gcov-7,s390x-linux-gnu-gcov-dump-7,s390x-linux-gnu-gcov-tool-7 name: gcc-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gcc-7,sh4-linux-gnu-gcc-ar-7,sh4-linux-gnu-gcc-nm-7,sh4-linux-gnu-gcc-ranlib-7,sh4-linux-gnu-gcov-7,sh4-linux-gnu-gcov-dump-7,sh4-linux-gnu-gcov-tool-7 name: gcc-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gcc-7,sparc64-linux-gnu-gcc-ar-7,sparc64-linux-gnu-gcc-nm-7,sparc64-linux-gnu-gcc-ranlib-7,sparc64-linux-gnu-gcov-7,sparc64-linux-gnu-gcov-dump-7,sparc64-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gcc-7,x86_64-linux-gnu-gcc-ar-7,x86_64-linux-gnu-gcc-nm-7,x86_64-linux-gnu-gcc-ranlib-7,x86_64-linux-gnu-gcov-7,x86_64-linux-gnu-gcov-dump-7,x86_64-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gcc-7,x86_64-linux-gnux32-gcc-ar-7,x86_64-linux-gnux32-gcc-nm-7,x86_64-linux-gnux32-gcc-ranlib-7,x86_64-linux-gnux32-gcov-7,x86_64-linux-gnux32-gcov-dump-7,x86_64-linux-gnux32-gcov-tool-7 name: gcc-8 version: 8-20180414-1ubuntu2 commands: gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8,i686-linux-gnu-gcc-8,i686-linux-gnu-gcc-ar-8,i686-linux-gnu-gcc-nm-8,i686-linux-gnu-gcc-ranlib-8,i686-linux-gnu-gcov-8,i686-linux-gnu-gcov-dump-8,i686-linux-gnu-gcov-tool-8 name: gcc-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gcc-8,aarch64-linux-gnu-gcc-ar-8,aarch64-linux-gnu-gcc-nm-8,aarch64-linux-gnu-gcc-ranlib-8,aarch64-linux-gnu-gcov-8,aarch64-linux-gnu-gcov-dump-8,aarch64-linux-gnu-gcov-tool-8 name: gcc-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gcc-8,alpha-linux-gnu-gcc-ar-8,alpha-linux-gnu-gcc-nm-8,alpha-linux-gnu-gcc-ranlib-8,alpha-linux-gnu-gcov-8,alpha-linux-gnu-gcov-dump-8,alpha-linux-gnu-gcov-tool-8 name: gcc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gcc-8,arm-linux-gnueabi-gcc-ar-8,arm-linux-gnueabi-gcc-nm-8,arm-linux-gnueabi-gcc-ranlib-8,arm-linux-gnueabi-gcov-8,arm-linux-gnueabi-gcov-dump-8,arm-linux-gnueabi-gcov-tool-8 name: gcc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gcc-8,arm-linux-gnueabihf-gcc-ar-8,arm-linux-gnueabihf-gcc-nm-8,arm-linux-gnueabihf-gcc-ranlib-8,arm-linux-gnueabihf-gcov-8,arm-linux-gnueabihf-gcov-dump-8,arm-linux-gnueabihf-gcov-tool-8 name: gcc-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gcc-8,hppa-linux-gnu-gcc-ar-8,hppa-linux-gnu-gcc-nm-8,hppa-linux-gnu-gcc-ranlib-8,hppa-linux-gnu-gcov-8,hppa-linux-gnu-gcov-dump-8,hppa-linux-gnu-gcov-tool-8 name: gcc-8-hppa64-linux-gnu version: 8-20180414-1ubuntu2 commands: hppa64-linux-gnu-cpp-8,hppa64-linux-gnu-gcc-8,hppa64-linux-gnu-gcc-ar-8,hppa64-linux-gnu-gcc-nm-8,hppa64-linux-gnu-gcc-ranlib-8 name: gcc-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gcc-8,m68k-linux-gnu-gcc-ar-8,m68k-linux-gnu-gcc-nm-8,m68k-linux-gnu-gcc-ranlib-8,m68k-linux-gnu-gcov-8,m68k-linux-gnu-gcov-dump-8,m68k-linux-gnu-gcov-tool-8 name: gcc-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gcc-8,mips-linux-gnu-gcc-ar-8,mips-linux-gnu-gcc-nm-8,mips-linux-gnu-gcc-ranlib-8,mips-linux-gnu-gcov-8,mips-linux-gnu-gcov-dump-8,mips-linux-gnu-gcov-tool-8 name: gcc-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gcc-8,mips64-linux-gnuabi64-gcc-ar-8,mips64-linux-gnuabi64-gcc-nm-8,mips64-linux-gnuabi64-gcc-ranlib-8,mips64-linux-gnuabi64-gcov-8,mips64-linux-gnuabi64-gcov-dump-8,mips64-linux-gnuabi64-gcov-tool-8 name: gcc-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gcc-8,mips64el-linux-gnuabi64-gcc-ar-8,mips64el-linux-gnuabi64-gcc-nm-8,mips64el-linux-gnuabi64-gcc-ranlib-8,mips64el-linux-gnuabi64-gcov-8,mips64el-linux-gnuabi64-gcov-dump-8,mips64el-linux-gnuabi64-gcov-tool-8 name: gcc-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gcc-8,mipsel-linux-gnu-gcc-ar-8,mipsel-linux-gnu-gcc-nm-8,mipsel-linux-gnu-gcc-ranlib-8,mipsel-linux-gnu-gcov-8,mipsel-linux-gnu-gcov-dump-8,mipsel-linux-gnu-gcov-tool-8 name: gcc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gcc-8,powerpc-linux-gnu-gcc-ar-8,powerpc-linux-gnu-gcc-nm-8,powerpc-linux-gnu-gcc-ranlib-8,powerpc-linux-gnu-gcov-8,powerpc-linux-gnu-gcov-dump-8,powerpc-linux-gnu-gcov-tool-8 name: gcc-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gcc-8,powerpc-linux-gnuspe-gcc-ar-8,powerpc-linux-gnuspe-gcc-nm-8,powerpc-linux-gnuspe-gcc-ranlib-8,powerpc-linux-gnuspe-gcov-8,powerpc-linux-gnuspe-gcov-dump-8,powerpc-linux-gnuspe-gcov-tool-8 name: gcc-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gcc-8,powerpc64-linux-gnu-gcc-ar-8,powerpc64-linux-gnu-gcc-nm-8,powerpc64-linux-gnu-gcc-ranlib-8,powerpc64-linux-gnu-gcov-8,powerpc64-linux-gnu-gcov-dump-8,powerpc64-linux-gnu-gcov-tool-8 name: gcc-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gcc-8,powerpc64le-linux-gnu-gcc-ar-8,powerpc64le-linux-gnu-gcc-nm-8,powerpc64le-linux-gnu-gcc-ranlib-8,powerpc64le-linux-gnu-gcov-8,powerpc64le-linux-gnu-gcov-dump-8,powerpc64le-linux-gnu-gcov-tool-8 name: gcc-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gcc-8,riscv64-linux-gnu-gcc-ar-8,riscv64-linux-gnu-gcc-nm-8,riscv64-linux-gnu-gcc-ranlib-8,riscv64-linux-gnu-gcov-8,riscv64-linux-gnu-gcov-dump-8,riscv64-linux-gnu-gcov-tool-8 name: gcc-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gcc-8,s390x-linux-gnu-gcc-ar-8,s390x-linux-gnu-gcc-nm-8,s390x-linux-gnu-gcc-ranlib-8,s390x-linux-gnu-gcov-8,s390x-linux-gnu-gcov-dump-8,s390x-linux-gnu-gcov-tool-8 name: gcc-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gcc-8,sh4-linux-gnu-gcc-ar-8,sh4-linux-gnu-gcc-nm-8,sh4-linux-gnu-gcc-ranlib-8,sh4-linux-gnu-gcov-8,sh4-linux-gnu-gcov-dump-8,sh4-linux-gnu-gcov-tool-8 name: gcc-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gcc-8,sparc64-linux-gnu-gcc-ar-8,sparc64-linux-gnu-gcc-nm-8,sparc64-linux-gnu-gcc-ranlib-8,sparc64-linux-gnu-gcov-8,sparc64-linux-gnu-gcov-dump-8,sparc64-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gcc-8,x86_64-linux-gnu-gcc-ar-8,x86_64-linux-gnu-gcc-nm-8,x86_64-linux-gnu-gcc-ranlib-8,x86_64-linux-gnu-gcov-8,x86_64-linux-gnu-gcov-dump-8,x86_64-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gcc-8,x86_64-linux-gnux32-gcc-ar-8,x86_64-linux-gnux32-gcc-nm-8,x86_64-linux-gnux32-gcc-ranlib-8,x86_64-linux-gnux32-gcov-8,x86_64-linux-gnux32-gcov-dump-8,x86_64-linux-gnux32-gcov-tool-8 name: gcc-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-gcc,alpha-linux-gnu-gcc-ar,alpha-linux-gnu-gcc-nm,alpha-linux-gnu-gcc-ranlib,alpha-linux-gnu-gcov,alpha-linux-gnu-gcov-dump,alpha-linux-gnu-gcov-tool name: gcc-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gcc,arm-linux-gnueabi-gcc-ar,arm-linux-gnueabi-gcc-nm,arm-linux-gnueabi-gcc-ranlib,arm-linux-gnueabi-gcov,arm-linux-gnueabi-gcov-dump,arm-linux-gnueabi-gcov-tool name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-gcc,hppa-linux-gnu-gcc-ar,hppa-linux-gnu-gcc-nm,hppa-linux-gnu-gcc-ranlib,hppa-linux-gnu-gcov,hppa-linux-gnu-gcov-dump,hppa-linux-gnu-gcov-tool name: gcc-hppa64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: hppa64-linux-gnu-gcc,hppa64-linux-gnu-gcc-ar,hppa64-linux-gnu-gcc-nm,hppa64-linux-gnu-gcc-ranlib name: gcc-m68hc1x version: 1:3.3.6+3.1+dfsg-3ubuntu2 commands: m68hc11-cpp,m68hc11-gcc,m68hc11-gccbug,m68hc11-gcov name: gcc-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-gcc,m68k-linux-gnu-gcc-ar,m68k-linux-gnu-gcc-nm,m68k-linux-gnu-gcc-ranlib,m68k-linux-gnu-gcov,m68k-linux-gnu-gcov-dump,m68k-linux-gnu-gcov-tool name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-gcc,mips-linux-gnu-gcc-ar,mips-linux-gnu-gcc-nm,mips-linux-gnu-gcc-ranlib,mips-linux-gnu-gcov,mips-linux-gnu-gcov-dump,mips-linux-gnu-gcov-tool name: gcc-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-gcc,mips64-linux-gnuabi64-gcc-ar,mips64-linux-gnuabi64-gcc-nm,mips64-linux-gnuabi64-gcc-ranlib,mips64-linux-gnuabi64-gcov,mips64-linux-gnuabi64-gcov-dump,mips64-linux-gnuabi64-gcov-tool name: gcc-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-gcc,mips64el-linux-gnuabi64-gcc-ar,mips64el-linux-gnuabi64-gcc-nm,mips64el-linux-gnuabi64-gcc-ranlib,mips64el-linux-gnuabi64-gcov,mips64el-linux-gnuabi64-gcov-dump,mips64el-linux-gnuabi64-gcov-tool name: gcc-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-gcc,mipsel-linux-gnu-gcc-ar,mipsel-linux-gnu-gcc-nm,mipsel-linux-gnu-gcc-ranlib,mipsel-linux-gnu-gcov,mipsel-linux-gnu-gcov-dump,mipsel-linux-gnu-gcov-tool name: gcc-msp430 version: 4.6.3~mspgcc-20120406-7ubuntu5 commands: msp430-c++,msp430-cpp,msp430-g++,msp430-gcc,msp430-gcc-4.6.3,msp430-gcov name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-gcc,powerpc-linux-gnuspe-gcc-ar,powerpc-linux-gnuspe-gcc-nm,powerpc-linux-gnuspe-gcc-ranlib,powerpc-linux-gnuspe-gcov,powerpc-linux-gnuspe-gcov-dump,powerpc-linux-gnuspe-gcov-tool name: gcc-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-gcc,powerpc64-linux-gnu-gcc-ar,powerpc64-linux-gnu-gcc-nm,powerpc64-linux-gnu-gcc-ranlib,powerpc64-linux-gnu-gcov,powerpc64-linux-gnu-gcov-dump,powerpc64-linux-gnu-gcov-tool name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gcc-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-gcc,riscv64-linux-gnu-gcc-ar,riscv64-linux-gnu-gcc-nm,riscv64-linux-gnu-gcc-ranlib,riscv64-linux-gnu-gcov,riscv64-linux-gnu-gcov-dump,riscv64-linux-gnu-gcov-tool name: gcc-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-gcc,s390x-linux-gnu-gcc-ar,s390x-linux-gnu-gcc-nm,s390x-linux-gnu-gcc-ranlib,s390x-linux-gnu-gcov,s390x-linux-gnu-gcov-dump,s390x-linux-gnu-gcov-tool name: gcc-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-gcc,sh4-linux-gnu-gcc-ar,sh4-linux-gnu-gcc-nm,sh4-linux-gnu-gcc-ranlib,sh4-linux-gnu-gcov,sh4-linux-gnu-gcov-dump,sh4-linux-gnu-gcov-tool name: gcc-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-gcc,sparc64-linux-gnu-gcc-ar,sparc64-linux-gnu-gcc-nm,sparc64-linux-gnu-gcc-ranlib,sparc64-linux-gnu-gcov,sparc64-linux-gnu-gcov-dump,sparc64-linux-gnu-gcov-tool name: gcc-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gcc,x86_64-linux-gnu-gcc-ar,x86_64-linux-gnu-gcc-nm,x86_64-linux-gnu-gcc-ranlib,x86_64-linux-gnu-gcov,x86_64-linux-gnu-gcov-dump,x86_64-linux-gnu-gcov-tool name: gcc-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gcc,x86_64-linux-gnux32-gcc-ar,x86_64-linux-gnux32-gcc-nm,x86_64-linux-gnux32-gcc-ranlib,x86_64-linux-gnux32-gcov,x86_64-linux-gnux32-gcov-dump,x86_64-linux-gnux32-gcov-tool name: gccbrig version: 4:7.3.0-3ubuntu2 commands: gccbrig,i586-linux-gnu-gccbrig,i686-linux-gnu-gccbrig name: gccbrig-7 version: 7.3.0-16ubuntu3 commands: gccbrig-7,i686-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccbrig-7 name: gccbrig-8 version: 8-20180414-1ubuntu2 commands: gccbrig-8,i686-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccbrig-8 name: gccgo version: 4:8-20180321-2ubuntu2 commands: gccgo,i586-linux-gnu-gccgo,i686-linux-gnu-gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: gccgo-4.8,i686-linux-gnu-gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: gccgo-5,go-5,gofmt-5,i686-linux-gnu-gccgo-5 name: gccgo-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gccgo-5 name: gccgo-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gccgo-5 name: gccgo-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-5 name: gccgo-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-5 name: gccgo-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gccgo-5 name: gccgo-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gccgo-5 name: gccgo-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gccgo-5 name: gccgo-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gccgo-5 name: gccgo-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-5 name: gccgo-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gccgo-5 name: gccgo-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gccgo-5 name: gccgo-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gccgo-5 name: gccgo-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gccgo-5 name: gccgo-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gccgo-5 name: gccgo-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: gccgo-6,go-6,gofmt-6,i686-linux-gnu-gccgo-6,i686-linux-gnu-go-6,i686-linux-gnu-gofmt-6 name: gccgo-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gccgo-6 name: gccgo-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gccgo-6 name: gccgo-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gccgo-6 name: gccgo-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gccgo-6 name: gccgo-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gccgo-6 name: gccgo-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gccgo-6 name: gccgo-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gccgo-6 name: gccgo-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gccgo-6 name: gccgo-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gccgo-6 name: gccgo-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-6 name: gccgo-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gccgo-6 name: gccgo-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gccgo-6 name: gccgo-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gccgo-6 name: gccgo-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gccgo-6 name: gccgo-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: gccgo-7,go-7,gofmt-7,i686-linux-gnu-gccgo-7,i686-linux-gnu-go-7,i686-linux-gnu-gofmt-7 name: gccgo-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gccgo-7 name: gccgo-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gccgo-7 name: gccgo-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gccgo-7 name: gccgo-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gccgo-7 name: gccgo-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gccgo-7 name: gccgo-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gccgo-7 name: gccgo-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gccgo-7 name: gccgo-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gccgo-7 name: gccgo-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gccgo-7 name: gccgo-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gccgo-7 name: gccgo-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gccgo-7 name: gccgo-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gccgo-7 name: gccgo-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gccgo-7 name: gccgo-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gccgo-7 name: gccgo-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccgo-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: gccgo-8,go-8,gofmt-8,i686-linux-gnu-gccgo-8,i686-linux-gnu-go-8,i686-linux-gnu-gofmt-8 name: gccgo-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gccgo-8 name: gccgo-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gccgo-8 name: gccgo-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gccgo-8 name: gccgo-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gccgo-8 name: gccgo-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gccgo-8 name: gccgo-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gccgo-8 name: gccgo-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gccgo-8 name: gccgo-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gccgo-8 name: gccgo-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gccgo-8 name: gccgo-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gccgo-8 name: gccgo-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gccgo-8 name: gccgo-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gccgo-8 name: gccgo-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gccgo-8 name: gccgo-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gccgo-8 name: gccgo-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccgo-8 name: gccgo-aarch64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gccgo name: gccgo-alpha-linux-gnu version: 4:8-20180321-2ubuntu1 commands: alpha-linux-gnu-gccgo name: gccgo-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gccgo name: gccgo-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gccgo name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gccgo-mips-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mips-linux-gnu-gccgo name: gccgo-mips64-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64-linux-gnuabi64-gccgo name: gccgo-mips64el-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64el-linux-gnuabi64-gccgo name: gccgo-mipsel-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mipsel-linux-gnu-gccgo name: gccgo-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gccgo name: gccgo-powerpc-linux-gnuspe version: 4:8-20180321-2ubuntu1 commands: powerpc-linux-gnuspe-gccgo name: gccgo-powerpc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: powerpc64-linux-gnu-gccgo name: gccgo-powerpc64le-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc64le-linux-gnu-gccgo name: gccgo-riscv64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: riscv64-linux-gnu-gccgo name: gccgo-s390x-linux-gnu version: 4:8-20180321-2ubuntu2 commands: s390x-linux-gnu-gccgo name: gccgo-sparc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sparc64-linux-gnu-gccgo name: gccgo-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gccgo name: gccgo-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gccgo name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.1-0ubuntu3+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-msp430 version: 7.2a~mspgcc-20111205-3.1ubuntu1 commands: msp430-gdb,msp430-run name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: gdc,i586-linux-gnu-gdc,i686-linux-gnu-gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: gdc-4.8,i686-linux-gnu-gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: gdc-5,i686-linux-gnu-gdc-5 name: gdc-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gdc-5 name: gdc-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gdc-5 name: gdc-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gdc-5 name: gdc-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-5 name: gdc-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gdc-5 name: gdc-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gdc-5 name: gdc-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gdc-5 name: gdc-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gdc-5 name: gdc-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gdc-5 name: gdc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gdc-5 name: gdc-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gdc-5 name: gdc-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gdc-5 name: gdc-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gdc-5 name: gdc-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gdc-5 name: gdc-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gdc-5 name: gdc-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gdc-5 name: gdc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: gdc-6,i686-linux-gnu-gdc-6 name: gdc-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gdc-6 name: gdc-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gdc-6 name: gdc-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gdc-6 name: gdc-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gdc-6 name: gdc-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gdc-6 name: gdc-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gdc-6 name: gdc-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gdc-6 name: gdc-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gdc-6 name: gdc-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gdc-6 name: gdc-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gdc-6 name: gdc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gdc-6 name: gdc-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gdc-6 name: gdc-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gdc-6 name: gdc-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gdc-6 name: gdc-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gdc-6 name: gdc-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gdc-6 name: gdc-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: gdc-7,i686-linux-gnu-gdc-7 name: gdc-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gdc-7 name: gdc-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gdc-7 name: gdc-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gdc-7 name: gdc-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gdc-7 name: gdc-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gdc-7 name: gdc-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gdc-7 name: gdc-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gdc-7 name: gdc-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gdc-7 name: gdc-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gdc-7 name: gdc-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gdc-7 name: gdc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gdc-7 name: gdc-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gdc-7 name: gdc-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gdc-7 name: gdc-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gdc-7 name: gdc-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gdc-7 name: gdc-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gdc-7 name: gdc-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gdc-7 name: gdc-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: gdc-8,i686-linux-gnu-gdc-8 name: gdc-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gdc-8 name: gdc-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gdc-8 name: gdc-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gdc-8 name: gdc-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gdc-8 name: gdc-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gdc-8 name: gdc-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gdc-8 name: gdc-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gdc-8 name: gdc-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gdc-8 name: gdc-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gdc-8 name: gdc-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gdc-8 name: gdc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gdc-8 name: gdc-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gdc-8 name: gdc-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gdc-8 name: gdc-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gdc-8 name: gdc-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gdc-8 name: gdc-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gdc-8 name: gdc-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gdc-8 name: gdc-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gdc-8 name: gdc-aarch64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: aarch64-linux-gnu-gdc name: gdc-alpha-linux-gnu version: 4:8-20180321-2ubuntu1 commands: alpha-linux-gnu-gdc name: gdc-arm-linux-gnueabi version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabi-gdc name: gdc-arm-linux-gnueabihf version: 4:8-20180321-2ubuntu2 commands: arm-linux-gnueabihf-gdc name: gdc-hppa-linux-gnu version: 4:8-20180321-2ubuntu1 commands: hppa-linux-gnu-gdc name: gdc-m68k-linux-gnu version: 4:8-20180321-2ubuntu1 commands: m68k-linux-gnu-gdc name: gdc-mips-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mips-linux-gnu-gdc name: gdc-mips64-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64-linux-gnuabi64-gdc name: gdc-mips64el-linux-gnuabi64 version: 4:8-20180321-2ubuntu1 commands: mips64el-linux-gnuabi64-gdc name: gdc-mipsel-linux-gnu version: 4:8-20180321-2ubuntu1 commands: mipsel-linux-gnu-gdc name: gdc-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gdc name: gdc-powerpc-linux-gnuspe version: 4:8-20180321-2ubuntu1 commands: powerpc-linux-gnuspe-gdc name: gdc-powerpc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: powerpc64-linux-gnu-gdc name: gdc-powerpc64le-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc64le-linux-gnu-gdc name: gdc-riscv64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: riscv64-linux-gnu-gdc name: gdc-s390x-linux-gnu version: 4:8-20180321-2ubuntu2 commands: s390x-linux-gnu-gdc name: gdc-sh4-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sh4-linux-gnu-gdc name: gdc-sparc64-linux-gnu version: 4:8-20180321-2ubuntu1 commands: sparc64-linux-gnu-gdc name: gdc-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gdc name: gdc-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gdc name: gddccontrol version: 0.4.3-2 commands: gddccontrol name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearhead version: 1.302-4 commands: gearhead name: gearhead-sdl version: 1.302-4 commands: gearhead-sdl name: gearhead2 version: 0.701-1 commands: gearhead2 name: gearhead2-sdl version: 0.701-1 commands: gearhead2-sdl name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: gfortran-4.8,i686-linux-gnu-gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: gfortran-5,i686-linux-gnu-gfortran-5 name: gfortran-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gfortran-5 name: gfortran-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gfortran-5 name: gfortran-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-5 name: gfortran-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-5 name: gfortran-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gfortran-5 name: gfortran-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gfortran-5 name: gfortran-5-mips64-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64-linux-gnuabi64-gfortran-5 name: gfortran-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gfortran-5 name: gfortran-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gfortran-5 name: gfortran-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-5 name: gfortran-5-powerpc-linux-gnuspe version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnuspe-gfortran-5 name: gfortran-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gfortran-5 name: gfortran-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gfortran-5 name: gfortran-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gfortran-5 name: gfortran-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gfortran-5 name: gfortran-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gfortran-5 name: gfortran-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: gfortran-6,i686-linux-gnu-gfortran-6 name: gfortran-6-aarch64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: aarch64-linux-gnu-gfortran-6 name: gfortran-6-alpha-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: alpha-linux-gnu-gfortran-6 name: gfortran-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gfortran-6 name: gfortran-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gfortran-6 name: gfortran-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gfortran-6 name: gfortran-6-m68k-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: m68k-linux-gnu-gfortran-6 name: gfortran-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gfortran-6 name: gfortran-6-mips64-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64-linux-gnuabi64-gfortran-6 name: gfortran-6-mips64el-linux-gnuabi64 version: 6.4.0-17ubuntu1cross1 commands: mips64el-linux-gnuabi64-gfortran-6 name: gfortran-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gfortran-6 name: gfortran-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-6 name: gfortran-6-powerpc-linux-gnuspe version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnuspe-gfortran-6 name: gfortran-6-powerpc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64-linux-gnu-gfortran-6 name: gfortran-6-powerpc64le-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc64le-linux-gnu-gfortran-6 name: gfortran-6-s390x-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: s390x-linux-gnu-gfortran-6 name: gfortran-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gfortran-6 name: gfortran-6-sparc64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sparc64-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-6 name: gfortran-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gfortran-7 name: gfortran-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gfortran-7 name: gfortran-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gfortran-7 name: gfortran-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gfortran-7 name: gfortran-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gfortran-7 name: gfortran-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gfortran-7 name: gfortran-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gfortran-7 name: gfortran-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gfortran-7 name: gfortran-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gfortran-7 name: gfortran-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gfortran-7 name: gfortran-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gfortran-7 name: gfortran-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gfortran-7 name: gfortran-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gfortran-7 name: gfortran-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gfortran-7 name: gfortran-7-riscv64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: riscv64-linux-gnu-gfortran-7 name: gfortran-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gfortran-7 name: gfortran-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gfortran-7 name: gfortran-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gfortran-7 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: gfortran-8,i686-linux-gnu-gfortran-8 name: gfortran-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gfortran-8 name: gfortran-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gfortran-8 name: gfortran-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gfortran-8 name: gfortran-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gfortran-8 name: gfortran-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gfortran-8 name: gfortran-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gfortran-8 name: gfortran-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gfortran-8 name: gfortran-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gfortran-8 name: gfortran-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gfortran-8 name: gfortran-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gfortran-8 name: gfortran-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gfortran-8 name: gfortran-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gfortran-8 name: gfortran-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gfortran-8 name: gfortran-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gfortran-8 name: gfortran-8-riscv64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: riscv64-linux-gnu-gfortran-8 name: gfortran-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gfortran-8 name: gfortran-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gfortran-8 name: gfortran-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gfortran-8 name: gfortran-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-gfortran name: gfortran-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-gfortran name: gfortran-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-gfortran name: gfortran-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-gfortran name: gfortran-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-gfortran name: gfortran-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-gfortran name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfortran-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-gfortran name: gfortran-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-gfortran name: gfortran-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-gfortran name: gfortran-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-gfortran name: gfortran-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gfortran name: gfortran-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-gfortran name: gfortran-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-gfortran name: gfortran-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-gfortran name: gfortran-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-gfortran name: gfortran-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-gfortran name: gfortran-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-gfortran name: gfortran-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-gfortran name: gfortran-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gfortran name: gfortran-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gfortran name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gir-to-d version: 0.13.0-3build2 commands: girtod name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: gle-graphics version: 4.2.5-7 commands: gle,manip,qgle name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-mir name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-mir version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-mir name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmod version: 3.1-14build1 commands: gmod name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5,i686-linux-gnu-gnat,i686-linux-gnu-gnat-5,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-5,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-5,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-5,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-5,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-5,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-5,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-5,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-5,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-5,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-5,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-5,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-5 name: gnat-5-aarch64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-5,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-5,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-5,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-5,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-5,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-5,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-5,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-5,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-5,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-5,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-5,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-5,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-5 name: gnat-5-alpha-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-5,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-5,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-5,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-5,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-5,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-5,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-5,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-5,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-5,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-5,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-5,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-5,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-5 name: gnat-5-arm-linux-gnueabi version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-5,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-5,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-5,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-5,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-5,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-5,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-5,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-5,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-5,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-5,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-5,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-5,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-5 name: gnat-5-arm-linux-gnueabihf version: 5.5.0-12ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-5,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-5,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-5,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-5,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-5,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-5,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-5,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-5,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-5,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-5,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-5,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-5,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-5 name: gnat-5-m68k-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-5,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-5,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-5,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-5,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-5,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-5,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-5,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-5,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-5,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-5,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-5,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-5,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-5 name: gnat-5-mips-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-5,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-5,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-5,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-5,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-5,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-5,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-5,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-5,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-5,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-5,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-5,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-5,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-5 name: gnat-5-mips64el-linux-gnuabi64 version: 5.5.0-12ubuntu1cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-5,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-5,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-5,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-5,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-5,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-5,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-5,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-5,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-5,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-5,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-5,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-5,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-5 name: gnat-5-mipsel-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-5,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-5,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-5,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-5,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-5,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-5,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-5,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-5,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-5,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-5,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-5,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-5,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-5 name: gnat-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-5,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-5,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-5,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-5,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-5,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-5,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-5,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-5,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-5,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-5,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-5,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-5,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-5 name: gnat-5-powerpc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-5,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-5,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-5,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-5,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-5,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-5,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-5,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-5,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-5,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-5,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-5,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-5,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-5 name: gnat-5-powerpc64le-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-5,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-5,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-5,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-5,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-5,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-5,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-5,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-5,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-5,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-5,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-5,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-5,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-5 name: gnat-5-s390x-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-5,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-5,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-5,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-5,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-5,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-5,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-5,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-5,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-5,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-5,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-5,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-5,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-5 name: gnat-5-sh4-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-5,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-5,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-5,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-5,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-5,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-5,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-5,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-5,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-5,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-5,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-5,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-5,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-5 name: gnat-5-sparc64-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-5,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-5,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-5,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-5,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-5,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-5,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-5,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-5,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-5,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-5,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-5,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-5,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6,i686-linux-gnu-gnat,i686-linux-gnu-gnat-6,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-6,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-6,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-6,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-6,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-6,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-6,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-6,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-6,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-6,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-6,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-6,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-6 name: gnat-6-arm-linux-gnueabi version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-6,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-6,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-6,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-6,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-6,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-6,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-6,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-6,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-6,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-6,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-6,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-6,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-6 name: gnat-6-arm-linux-gnueabihf version: 6.4.0-17ubuntu1cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-6,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-6,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-6,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-6,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-6,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-6,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-6,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-6,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-6,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-6,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-6,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-6,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-6 name: gnat-6-hppa-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-6,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-6,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-6,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-6,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-6,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-6,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-6,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-6,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-6,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-6,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-6,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-6,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-6 name: gnat-6-mips-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-6,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-6,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-6,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-6,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-6,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-6,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-6,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-6,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-6,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-6,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-6,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-6,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-6 name: gnat-6-mipsel-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-6,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-6,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-6,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-6,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-6,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-6,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-6,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-6,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-6,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-6,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-6,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-6,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-6 name: gnat-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-6,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-6,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-6,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-6,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-6,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-6,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-6,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-6,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-6,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-6,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-6,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-6,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-6 name: gnat-6-sh4-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-6,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-6,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-6,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-6,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-6,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-6,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-6,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-6,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-6,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-6,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-6,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-6,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7,i686-linux-gnu-gnat,i686-linux-gnu-gnat-7,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-7,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-7,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-7,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-7,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-7,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-7,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-7,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-7,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-7,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-7,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-7,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-7 name: gnat-7-aarch64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-7,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-7,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-7,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-7,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-7,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-7,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-7,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-7,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-7,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-7,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-7,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-7,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-7 name: gnat-7-alpha-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-7,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-7,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-7,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-7,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-7,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-7,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-7,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-7,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-7,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-7,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-7,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-7,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-7 name: gnat-7-arm-linux-gnueabi version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-7,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-7,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-7,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-7,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-7,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-7,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-7,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-7,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-7,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-7,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-7,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-7,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-7 name: gnat-7-arm-linux-gnueabihf version: 7.3.0-16ubuntu3cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-7,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-7,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-7,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-7,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-7,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-7,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-7,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-7,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-7,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-7,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-7,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-7,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-7 name: gnat-7-hppa-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-7,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-7,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-7,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-7,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-7,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-7,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-7,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-7,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-7,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-7,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-7,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-7,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-7 name: gnat-7-m68k-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-7,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-7,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-7,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-7,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-7,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-7,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-7,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-7,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-7,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-7,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-7,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-7,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-7 name: gnat-7-mips-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-7,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-7,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-7,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-7,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-7,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-7,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-7,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-7,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-7,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-7,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-7,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-7,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-7 name: gnat-7-mips64-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64-linux-gnuabi64-gnat,mips64-linux-gnuabi64-gnat-7,mips64-linux-gnuabi64-gnatbind,mips64-linux-gnuabi64-gnatbind-7,mips64-linux-gnuabi64-gnatchop,mips64-linux-gnuabi64-gnatchop-7,mips64-linux-gnuabi64-gnatclean,mips64-linux-gnuabi64-gnatclean-7,mips64-linux-gnuabi64-gnatfind,mips64-linux-gnuabi64-gnatfind-7,mips64-linux-gnuabi64-gnatgcc,mips64-linux-gnuabi64-gnathtml,mips64-linux-gnuabi64-gnathtml-7,mips64-linux-gnuabi64-gnatkr,mips64-linux-gnuabi64-gnatkr-7,mips64-linux-gnuabi64-gnatlink,mips64-linux-gnuabi64-gnatlink-7,mips64-linux-gnuabi64-gnatls,mips64-linux-gnuabi64-gnatls-7,mips64-linux-gnuabi64-gnatmake,mips64-linux-gnuabi64-gnatmake-7,mips64-linux-gnuabi64-gnatname,mips64-linux-gnuabi64-gnatname-7,mips64-linux-gnuabi64-gnatprep,mips64-linux-gnuabi64-gnatprep-7,mips64-linux-gnuabi64-gnatxref,mips64-linux-gnuabi64-gnatxref-7 name: gnat-7-mips64el-linux-gnuabi64 version: 7.3.0-16ubuntu3cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-7,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-7,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-7,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-7,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-7,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-7,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-7,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-7,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-7,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-7,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-7,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-7,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-7 name: gnat-7-mipsel-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-7,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-7,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-7,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-7,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-7,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-7,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-7,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-7,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-7,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-7,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-7,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-7,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-7 name: gnat-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-7,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-7,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-7,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-7,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-7,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-7,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-7,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-7,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-7,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-7,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-7,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-7,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-7 name: gnat-7-powerpc-linux-gnuspe version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnuspe-gnat,powerpc-linux-gnuspe-gnat-7,powerpc-linux-gnuspe-gnatbind,powerpc-linux-gnuspe-gnatbind-7,powerpc-linux-gnuspe-gnatchop,powerpc-linux-gnuspe-gnatchop-7,powerpc-linux-gnuspe-gnatclean,powerpc-linux-gnuspe-gnatclean-7,powerpc-linux-gnuspe-gnatfind,powerpc-linux-gnuspe-gnatfind-7,powerpc-linux-gnuspe-gnatgcc,powerpc-linux-gnuspe-gnathtml,powerpc-linux-gnuspe-gnathtml-7,powerpc-linux-gnuspe-gnatkr,powerpc-linux-gnuspe-gnatkr-7,powerpc-linux-gnuspe-gnatlink,powerpc-linux-gnuspe-gnatlink-7,powerpc-linux-gnuspe-gnatls,powerpc-linux-gnuspe-gnatls-7,powerpc-linux-gnuspe-gnatmake,powerpc-linux-gnuspe-gnatmake-7,powerpc-linux-gnuspe-gnatname,powerpc-linux-gnuspe-gnatname-7,powerpc-linux-gnuspe-gnatprep,powerpc-linux-gnuspe-gnatprep-7,powerpc-linux-gnuspe-gnatxref,powerpc-linux-gnuspe-gnatxref-7 name: gnat-7-powerpc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-7,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-7,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-7,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-7,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-7,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-7,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-7,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-7,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-7,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-7,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-7,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-7,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-7 name: gnat-7-powerpc64le-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-7,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-7,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-7,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-7,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-7,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-7,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-7,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-7,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-7,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-7,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-7,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-7,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-7 name: gnat-7-s390x-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-7,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-7,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-7,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-7,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-7,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-7,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-7,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-7,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-7,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-7,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-7,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-7,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-7 name: gnat-7-sh4-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-7,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-7,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-7,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-7,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-7,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-7,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-7,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-7,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-7,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-7,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-7,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-7,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-7 name: gnat-7-sparc64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-7,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-7,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-7,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-7,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-7,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-7,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-7,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-7,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-7,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-7,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-7,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-7,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-7,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-7,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-7,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-7,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-7,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-7,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-7,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-7,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-7,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-7,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-7,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-7,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-7,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-7,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-7,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-7,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-7,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-7,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-7,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-7,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-7,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-7,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-7,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-7,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8,i686-linux-gnu-gnat,i686-linux-gnu-gnat-8,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-8,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-8,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-8,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-8,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-8,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-8,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-8,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-8,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-8,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-8,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-8,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-8 name: gnat-8-aarch64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: aarch64-linux-gnu-gnat,aarch64-linux-gnu-gnat-8,aarch64-linux-gnu-gnatbind,aarch64-linux-gnu-gnatbind-8,aarch64-linux-gnu-gnatchop,aarch64-linux-gnu-gnatchop-8,aarch64-linux-gnu-gnatclean,aarch64-linux-gnu-gnatclean-8,aarch64-linux-gnu-gnatfind,aarch64-linux-gnu-gnatfind-8,aarch64-linux-gnu-gnatgcc,aarch64-linux-gnu-gnathtml,aarch64-linux-gnu-gnathtml-8,aarch64-linux-gnu-gnatkr,aarch64-linux-gnu-gnatkr-8,aarch64-linux-gnu-gnatlink,aarch64-linux-gnu-gnatlink-8,aarch64-linux-gnu-gnatls,aarch64-linux-gnu-gnatls-8,aarch64-linux-gnu-gnatmake,aarch64-linux-gnu-gnatmake-8,aarch64-linux-gnu-gnatname,aarch64-linux-gnu-gnatname-8,aarch64-linux-gnu-gnatprep,aarch64-linux-gnu-gnatprep-8,aarch64-linux-gnu-gnatxref,aarch64-linux-gnu-gnatxref-8 name: gnat-8-alpha-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: alpha-linux-gnu-gnat,alpha-linux-gnu-gnat-8,alpha-linux-gnu-gnatbind,alpha-linux-gnu-gnatbind-8,alpha-linux-gnu-gnatchop,alpha-linux-gnu-gnatchop-8,alpha-linux-gnu-gnatclean,alpha-linux-gnu-gnatclean-8,alpha-linux-gnu-gnatfind,alpha-linux-gnu-gnatfind-8,alpha-linux-gnu-gnatgcc,alpha-linux-gnu-gnathtml,alpha-linux-gnu-gnathtml-8,alpha-linux-gnu-gnatkr,alpha-linux-gnu-gnatkr-8,alpha-linux-gnu-gnatlink,alpha-linux-gnu-gnatlink-8,alpha-linux-gnu-gnatls,alpha-linux-gnu-gnatls-8,alpha-linux-gnu-gnatmake,alpha-linux-gnu-gnatmake-8,alpha-linux-gnu-gnatname,alpha-linux-gnu-gnatname-8,alpha-linux-gnu-gnatprep,alpha-linux-gnu-gnatprep-8,alpha-linux-gnu-gnatxref,alpha-linux-gnu-gnatxref-8 name: gnat-8-arm-linux-gnueabi version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabi-gnat,arm-linux-gnueabi-gnat-8,arm-linux-gnueabi-gnatbind,arm-linux-gnueabi-gnatbind-8,arm-linux-gnueabi-gnatchop,arm-linux-gnueabi-gnatchop-8,arm-linux-gnueabi-gnatclean,arm-linux-gnueabi-gnatclean-8,arm-linux-gnueabi-gnatfind,arm-linux-gnueabi-gnatfind-8,arm-linux-gnueabi-gnatgcc,arm-linux-gnueabi-gnathtml,arm-linux-gnueabi-gnathtml-8,arm-linux-gnueabi-gnatkr,arm-linux-gnueabi-gnatkr-8,arm-linux-gnueabi-gnatlink,arm-linux-gnueabi-gnatlink-8,arm-linux-gnueabi-gnatls,arm-linux-gnueabi-gnatls-8,arm-linux-gnueabi-gnatmake,arm-linux-gnueabi-gnatmake-8,arm-linux-gnueabi-gnatname,arm-linux-gnueabi-gnatname-8,arm-linux-gnueabi-gnatprep,arm-linux-gnueabi-gnatprep-8,arm-linux-gnueabi-gnatxref,arm-linux-gnueabi-gnatxref-8 name: gnat-8-arm-linux-gnueabihf version: 8-20180414-1ubuntu2cross1 commands: arm-linux-gnueabihf-gnat,arm-linux-gnueabihf-gnat-8,arm-linux-gnueabihf-gnatbind,arm-linux-gnueabihf-gnatbind-8,arm-linux-gnueabihf-gnatchop,arm-linux-gnueabihf-gnatchop-8,arm-linux-gnueabihf-gnatclean,arm-linux-gnueabihf-gnatclean-8,arm-linux-gnueabihf-gnatfind,arm-linux-gnueabihf-gnatfind-8,arm-linux-gnueabihf-gnatgcc,arm-linux-gnueabihf-gnathtml,arm-linux-gnueabihf-gnathtml-8,arm-linux-gnueabihf-gnatkr,arm-linux-gnueabihf-gnatkr-8,arm-linux-gnueabihf-gnatlink,arm-linux-gnueabihf-gnatlink-8,arm-linux-gnueabihf-gnatls,arm-linux-gnueabihf-gnatls-8,arm-linux-gnueabihf-gnatmake,arm-linux-gnueabihf-gnatmake-8,arm-linux-gnueabihf-gnatname,arm-linux-gnueabihf-gnatname-8,arm-linux-gnueabihf-gnatprep,arm-linux-gnueabihf-gnatprep-8,arm-linux-gnueabihf-gnatxref,arm-linux-gnueabihf-gnatxref-8 name: gnat-8-hppa-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: hppa-linux-gnu-gnat,hppa-linux-gnu-gnat-8,hppa-linux-gnu-gnatbind,hppa-linux-gnu-gnatbind-8,hppa-linux-gnu-gnatchop,hppa-linux-gnu-gnatchop-8,hppa-linux-gnu-gnatclean,hppa-linux-gnu-gnatclean-8,hppa-linux-gnu-gnatfind,hppa-linux-gnu-gnatfind-8,hppa-linux-gnu-gnatgcc,hppa-linux-gnu-gnathtml,hppa-linux-gnu-gnathtml-8,hppa-linux-gnu-gnatkr,hppa-linux-gnu-gnatkr-8,hppa-linux-gnu-gnatlink,hppa-linux-gnu-gnatlink-8,hppa-linux-gnu-gnatls,hppa-linux-gnu-gnatls-8,hppa-linux-gnu-gnatmake,hppa-linux-gnu-gnatmake-8,hppa-linux-gnu-gnatname,hppa-linux-gnu-gnatname-8,hppa-linux-gnu-gnatprep,hppa-linux-gnu-gnatprep-8,hppa-linux-gnu-gnatxref,hppa-linux-gnu-gnatxref-8 name: gnat-8-m68k-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: m68k-linux-gnu-gnat,m68k-linux-gnu-gnat-8,m68k-linux-gnu-gnatbind,m68k-linux-gnu-gnatbind-8,m68k-linux-gnu-gnatchop,m68k-linux-gnu-gnatchop-8,m68k-linux-gnu-gnatclean,m68k-linux-gnu-gnatclean-8,m68k-linux-gnu-gnatfind,m68k-linux-gnu-gnatfind-8,m68k-linux-gnu-gnatgcc,m68k-linux-gnu-gnathtml,m68k-linux-gnu-gnathtml-8,m68k-linux-gnu-gnatkr,m68k-linux-gnu-gnatkr-8,m68k-linux-gnu-gnatlink,m68k-linux-gnu-gnatlink-8,m68k-linux-gnu-gnatls,m68k-linux-gnu-gnatls-8,m68k-linux-gnu-gnatmake,m68k-linux-gnu-gnatmake-8,m68k-linux-gnu-gnatname,m68k-linux-gnu-gnatname-8,m68k-linux-gnu-gnatprep,m68k-linux-gnu-gnatprep-8,m68k-linux-gnu-gnatxref,m68k-linux-gnu-gnatxref-8 name: gnat-8-mips-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mips-linux-gnu-gnat,mips-linux-gnu-gnat-8,mips-linux-gnu-gnatbind,mips-linux-gnu-gnatbind-8,mips-linux-gnu-gnatchop,mips-linux-gnu-gnatchop-8,mips-linux-gnu-gnatclean,mips-linux-gnu-gnatclean-8,mips-linux-gnu-gnatfind,mips-linux-gnu-gnatfind-8,mips-linux-gnu-gnatgcc,mips-linux-gnu-gnathtml,mips-linux-gnu-gnathtml-8,mips-linux-gnu-gnatkr,mips-linux-gnu-gnatkr-8,mips-linux-gnu-gnatlink,mips-linux-gnu-gnatlink-8,mips-linux-gnu-gnatls,mips-linux-gnu-gnatls-8,mips-linux-gnu-gnatmake,mips-linux-gnu-gnatmake-8,mips-linux-gnu-gnatname,mips-linux-gnu-gnatname-8,mips-linux-gnu-gnatprep,mips-linux-gnu-gnatprep-8,mips-linux-gnu-gnatxref,mips-linux-gnu-gnatxref-8 name: gnat-8-mips64-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64-linux-gnuabi64-gnat,mips64-linux-gnuabi64-gnat-8,mips64-linux-gnuabi64-gnatbind,mips64-linux-gnuabi64-gnatbind-8,mips64-linux-gnuabi64-gnatchop,mips64-linux-gnuabi64-gnatchop-8,mips64-linux-gnuabi64-gnatclean,mips64-linux-gnuabi64-gnatclean-8,mips64-linux-gnuabi64-gnatfind,mips64-linux-gnuabi64-gnatfind-8,mips64-linux-gnuabi64-gnatgcc,mips64-linux-gnuabi64-gnathtml,mips64-linux-gnuabi64-gnathtml-8,mips64-linux-gnuabi64-gnatkr,mips64-linux-gnuabi64-gnatkr-8,mips64-linux-gnuabi64-gnatlink,mips64-linux-gnuabi64-gnatlink-8,mips64-linux-gnuabi64-gnatls,mips64-linux-gnuabi64-gnatls-8,mips64-linux-gnuabi64-gnatmake,mips64-linux-gnuabi64-gnatmake-8,mips64-linux-gnuabi64-gnatname,mips64-linux-gnuabi64-gnatname-8,mips64-linux-gnuabi64-gnatprep,mips64-linux-gnuabi64-gnatprep-8,mips64-linux-gnuabi64-gnatxref,mips64-linux-gnuabi64-gnatxref-8 name: gnat-8-mips64el-linux-gnuabi64 version: 8-20180414-1ubuntu2cross1 commands: mips64el-linux-gnuabi64-gnat,mips64el-linux-gnuabi64-gnat-8,mips64el-linux-gnuabi64-gnatbind,mips64el-linux-gnuabi64-gnatbind-8,mips64el-linux-gnuabi64-gnatchop,mips64el-linux-gnuabi64-gnatchop-8,mips64el-linux-gnuabi64-gnatclean,mips64el-linux-gnuabi64-gnatclean-8,mips64el-linux-gnuabi64-gnatfind,mips64el-linux-gnuabi64-gnatfind-8,mips64el-linux-gnuabi64-gnatgcc,mips64el-linux-gnuabi64-gnathtml,mips64el-linux-gnuabi64-gnathtml-8,mips64el-linux-gnuabi64-gnatkr,mips64el-linux-gnuabi64-gnatkr-8,mips64el-linux-gnuabi64-gnatlink,mips64el-linux-gnuabi64-gnatlink-8,mips64el-linux-gnuabi64-gnatls,mips64el-linux-gnuabi64-gnatls-8,mips64el-linux-gnuabi64-gnatmake,mips64el-linux-gnuabi64-gnatmake-8,mips64el-linux-gnuabi64-gnatname,mips64el-linux-gnuabi64-gnatname-8,mips64el-linux-gnuabi64-gnatprep,mips64el-linux-gnuabi64-gnatprep-8,mips64el-linux-gnuabi64-gnatxref,mips64el-linux-gnuabi64-gnatxref-8 name: gnat-8-mipsel-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: mipsel-linux-gnu-gnat,mipsel-linux-gnu-gnat-8,mipsel-linux-gnu-gnatbind,mipsel-linux-gnu-gnatbind-8,mipsel-linux-gnu-gnatchop,mipsel-linux-gnu-gnatchop-8,mipsel-linux-gnu-gnatclean,mipsel-linux-gnu-gnatclean-8,mipsel-linux-gnu-gnatfind,mipsel-linux-gnu-gnatfind-8,mipsel-linux-gnu-gnatgcc,mipsel-linux-gnu-gnathtml,mipsel-linux-gnu-gnathtml-8,mipsel-linux-gnu-gnatkr,mipsel-linux-gnu-gnatkr-8,mipsel-linux-gnu-gnatlink,mipsel-linux-gnu-gnatlink-8,mipsel-linux-gnu-gnatls,mipsel-linux-gnu-gnatls-8,mipsel-linux-gnu-gnatmake,mipsel-linux-gnu-gnatmake-8,mipsel-linux-gnu-gnatname,mipsel-linux-gnu-gnatname-8,mipsel-linux-gnu-gnatprep,mipsel-linux-gnu-gnatprep-8,mipsel-linux-gnu-gnatxref,mipsel-linux-gnu-gnatxref-8 name: gnat-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-8,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-8,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-8,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-8,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-8,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-8,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-8,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-8,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-8,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-8,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-8,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-8,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-8 name: gnat-8-powerpc-linux-gnuspe version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnuspe-gnat,powerpc-linux-gnuspe-gnat-8,powerpc-linux-gnuspe-gnatbind,powerpc-linux-gnuspe-gnatbind-8,powerpc-linux-gnuspe-gnatchop,powerpc-linux-gnuspe-gnatchop-8,powerpc-linux-gnuspe-gnatclean,powerpc-linux-gnuspe-gnatclean-8,powerpc-linux-gnuspe-gnatfind,powerpc-linux-gnuspe-gnatfind-8,powerpc-linux-gnuspe-gnatgcc,powerpc-linux-gnuspe-gnathtml,powerpc-linux-gnuspe-gnathtml-8,powerpc-linux-gnuspe-gnatkr,powerpc-linux-gnuspe-gnatkr-8,powerpc-linux-gnuspe-gnatlink,powerpc-linux-gnuspe-gnatlink-8,powerpc-linux-gnuspe-gnatls,powerpc-linux-gnuspe-gnatls-8,powerpc-linux-gnuspe-gnatmake,powerpc-linux-gnuspe-gnatmake-8,powerpc-linux-gnuspe-gnatname,powerpc-linux-gnuspe-gnatname-8,powerpc-linux-gnuspe-gnatprep,powerpc-linux-gnuspe-gnatprep-8,powerpc-linux-gnuspe-gnatxref,powerpc-linux-gnuspe-gnatxref-8 name: gnat-8-powerpc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64-linux-gnu-gnat,powerpc64-linux-gnu-gnat-8,powerpc64-linux-gnu-gnatbind,powerpc64-linux-gnu-gnatbind-8,powerpc64-linux-gnu-gnatchop,powerpc64-linux-gnu-gnatchop-8,powerpc64-linux-gnu-gnatclean,powerpc64-linux-gnu-gnatclean-8,powerpc64-linux-gnu-gnatfind,powerpc64-linux-gnu-gnatfind-8,powerpc64-linux-gnu-gnatgcc,powerpc64-linux-gnu-gnathtml,powerpc64-linux-gnu-gnathtml-8,powerpc64-linux-gnu-gnatkr,powerpc64-linux-gnu-gnatkr-8,powerpc64-linux-gnu-gnatlink,powerpc64-linux-gnu-gnatlink-8,powerpc64-linux-gnu-gnatls,powerpc64-linux-gnu-gnatls-8,powerpc64-linux-gnu-gnatmake,powerpc64-linux-gnu-gnatmake-8,powerpc64-linux-gnu-gnatname,powerpc64-linux-gnu-gnatname-8,powerpc64-linux-gnu-gnatprep,powerpc64-linux-gnu-gnatprep-8,powerpc64-linux-gnu-gnatxref,powerpc64-linux-gnu-gnatxref-8 name: gnat-8-powerpc64le-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-8,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-8,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-8,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-8,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-8,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-8,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-8,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-8,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-8,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-8,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-8,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-8,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-8 name: gnat-8-s390x-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-8,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-8,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-8,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-8,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-8,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-8,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-8,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-8,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-8,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-8,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-8,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-8,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-8 name: gnat-8-sh4-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sh4-linux-gnu-gnat,sh4-linux-gnu-gnat-8,sh4-linux-gnu-gnatbind,sh4-linux-gnu-gnatbind-8,sh4-linux-gnu-gnatchop,sh4-linux-gnu-gnatchop-8,sh4-linux-gnu-gnatclean,sh4-linux-gnu-gnatclean-8,sh4-linux-gnu-gnatfind,sh4-linux-gnu-gnatfind-8,sh4-linux-gnu-gnatgcc,sh4-linux-gnu-gnathtml,sh4-linux-gnu-gnathtml-8,sh4-linux-gnu-gnatkr,sh4-linux-gnu-gnatkr-8,sh4-linux-gnu-gnatlink,sh4-linux-gnu-gnatlink-8,sh4-linux-gnu-gnatls,sh4-linux-gnu-gnatls-8,sh4-linux-gnu-gnatmake,sh4-linux-gnu-gnatmake-8,sh4-linux-gnu-gnatname,sh4-linux-gnu-gnatname-8,sh4-linux-gnu-gnatprep,sh4-linux-gnu-gnatprep-8,sh4-linux-gnu-gnatxref,sh4-linux-gnu-gnatxref-8 name: gnat-8-sparc64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: sparc64-linux-gnu-gnat,sparc64-linux-gnu-gnat-8,sparc64-linux-gnu-gnatbind,sparc64-linux-gnu-gnatbind-8,sparc64-linux-gnu-gnatchop,sparc64-linux-gnu-gnatchop-8,sparc64-linux-gnu-gnatclean,sparc64-linux-gnu-gnatclean-8,sparc64-linux-gnu-gnatfind,sparc64-linux-gnu-gnatfind-8,sparc64-linux-gnu-gnatgcc,sparc64-linux-gnu-gnathtml,sparc64-linux-gnu-gnathtml-8,sparc64-linux-gnu-gnatkr,sparc64-linux-gnu-gnatkr-8,sparc64-linux-gnu-gnatlink,sparc64-linux-gnu-gnatlink-8,sparc64-linux-gnu-gnatls,sparc64-linux-gnu-gnatls-8,sparc64-linux-gnu-gnatmake,sparc64-linux-gnu-gnatmake-8,sparc64-linux-gnu-gnatname,sparc64-linux-gnu-gnatname-8,sparc64-linux-gnu-gnatprep,sparc64-linux-gnu-gnatprep-8,sparc64-linux-gnu-gnatxref,sparc64-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-8,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-8,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-8,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-8,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-8,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-8,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-8,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-8,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-8,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-8,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-8,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-8,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-8,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-8,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-8,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-8,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-8,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-8,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-8,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-8,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-8,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-8,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-8,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-8,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-video-arcade version: 0.8.8-2ubuntu1 commands: gnome-video-arcade name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnu-smalltalk version: 3.2.5-1.1 commands: gst,gst-convert,gst-doc,gst-load,gst-package,gst-profile,gst-reload,gst-remote,gst-sunit name: gnu-smalltalk-browser version: 3.2.5-1.1 commands: gst-browser name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gobgpd version: 1.29-1 commands: gobgp,gobgpd,gobmpd name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldencheetah version: 1:3.5~DEV1710-1.1build1 commands: GoldenCheetah name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpomme version: 1.39~dfsg-4build2 commands: gpomme name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprolog version: 1.4.5-4.1 commands: gplc,gprolog,hexgplc,ma2asm,pl2wam,prolog,wam2ma name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpsbabel-gui version: 1.5.4-2 commands: gpsbabelfe name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpsshogi version: 0.7.0-2build4 commands: gpsshell,gpsshogi,gpsshogi-viewer,gpsusi name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-client version: 8.1.9+dfsg-7build1 commands: qacct,qalter,qconf,qdel,qhold,qhost,qlogin,qmake_sge,qmod,qping,qquota,qrdel,qresub,qrls,qrsh,qrstat,qrsub,qsched,qselect,qsh,qstat,qstatus,qsub,qtcsh name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridengine-exec version: 8.1.9+dfsg-7build1 commands: sge_coshepherd,sge_execd,sge_shepherd name: gridengine-master version: 8.1.9+dfsg-7build1 commands: sge_qmaster,sge_shadowd name: gridengine-qmon version: 8.1.9+dfsg-7build1 commands: qmon name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: grml2usb version: 0.16.0 commands: grml2iso,grml2usb name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grub-emu version: 2.02-2ubuntu8 commands: grub-emu,grub-emu-lite name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gubbins version: 2.3.1-1 commands: gubbins_drawer,run_gubbins name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gunroar version: 0.15.dfsg1-9 commands: gunroar name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: guymager version: 0.8.7-1 commands: guymager name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handbrake version: 1.1.0+ds1-1ubuntu1 commands: ghb,handbrake,handbrake-gtk name: handbrake-cli version: 1.1.0+ds1-1ubuntu1 commands: HandBrakeCLI name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashcat version: 4.0.1-1 commands: hashcat name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdapsd version: 1:20141203-1build1 commands: hdapsd name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: health-check version: 0.02.09-1 commands: health-check name: heaptrack version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack,heaptrack_print name: heaptrack-gui version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack_gui name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: hedgewars version: 0.9.24.1-dfsg-2 commands: hedgewars name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hockeypuck version: 1.0~rel20140413+7a1892a~trusty.1 commands: hockeypuck name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: horst version: 5.0-2 commands: horst name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hprof-conv version: 7.0.0+r33-1 commands: hprof-conv name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsail-tools version: 0~20170314-3 commands: HSAILasm name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hsc version: 1.0b-0ubuntu2 commands: hsc,hscdepp,hscpitt name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugepages version: 2.19-0ubuntu1 commands: cpupcstat,hugeadm,hugectl,hugeedit,pagesize name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-dump-hwdata,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i7z version: 0.27.2+git2013.10.12-g5023138-4 commands: i7z,i7z_rw_registers name: i810switch version: 0.6.5-7.1build1 commands: i810rotate,i810switch name: i8c version: 0.0.6-1 commands: i8c,i8x name: i8kutils version: 1.43 commands: i8kctl,i8kfan,i8kmon name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iannix version: 0.9.20~dfsg0-2 commands: iannix name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibam version: 1:0.5.2-2.1ubuntu2 commands: ibam name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibniz version: 1.18-1build1 commands: ibniz name: ibod version: 1.5.0-6build1 commands: ibod name: ibsim-utils version: 0.7-2 commands: ibsim name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifrit version: 4.1.2-5build1 commands: ifrit name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: ii-esu version: 1.0a.dfsg1-8 commands: ii-esu name: iiod version: 0.10-3 commands: iiod name: ikarus version: 0.0.3+bzr.2010.01.26-4ubuntu1 commands: ikarus,scheme-script name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagevis3d version: 3.1.0-6 commands: imagevis3d,uvfconvert name: imagination version: 3.0-7build1 commands: imagination name: imapcopy version: 1.04-2.1 commands: imapcopy name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: img2simg version: 1:7.0.0+r33-2 commands: img2simg name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infernal version: 1.1.2-1 commands: cmalign,cmbuild,cmcalibrate,cmconvert,cmemit,cmfetch,cmpress,cmscan,cmsearch,cmstat name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: influxdb version: 1.1.1+dfsg1-4 commands: influxd name: influxdb-client version: 1.1.1+dfsg1-4 commands: influx name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel-cmt-cat version: 1.2.0-1 commands: pqos,pqos-msr,pqos-os,rdtset name: intel2gas version: 1.3.3-17 commands: intel2gas name: inteltool version: 1:20140825-1build1 commands: inteltool name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ion version: 3.2.1+dfsg-1.1 commands: acsadmin,acslist,amsbenchr,amsbenchs,amsd,amshello,amslog,amslogprt,amsshell,amsstop,aoslsi,aoslso,bpadmin,bpcancel,bpchat,bpclock,bpcounter,bpcp,bpcpd,bpdriver,bpecho,bping,bplist,bprecvfile,bpsendfile,bpsink,bpsource,bpstats,bpstats2,bptrace,bputa,brsccla,brsscla,bssStreamingApp,bsscounter,bssdriver,bsspadmin,bsspcli,bsspclo,bsspclock,bssrecv,cfdpadmin,cfdpclock,cfdptest,cgrfetch,dccpcli,dccpclo,dccplsi,dccplso,dgr2file,dgrcla,dtn2admin,dtn2adminep,dtn2fw,dtnperf_vION,dtpcadmin,dtpcclock,dtpcd,dtpcreceive,dtpcsend,file2dgr,file2sdr,file2sm,file2tcp,file2udp,hmackeys,imcadmin,imcfw,ionadmin,ionexit,ionrestart,ionscript,ionsecadmin,ionstart,ionstop,ionwarn,ipnadmin,ipnadminep,ipnfw,killm,lgagent,lgsend,ltpadmin,ltpcli,ltpclo,ltpclock,ltpcounter,ltpdriver,ltpmeter,nm_agent,nm_mgr,owltsim,owlttb,psmshell,psmwatch,ramsgate,rfxclock,sdatest,sdr2file,sdrmend,sdrwatch,sm2file,smlistsh,stcpcli,stcpclo,tcp2file,tcpbsi,tcpbso,tcpcli,tcpclo,udp2file,udpbsi,udpbso,udpcli,udpclo,udplsi,udplso name: ioping version: 1.0-2 commands: ioping name: ioport version: 1.2-1 commands: inb,inl,inw,outb,outl,outw name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: iqtree version: 1.6.1+dfsg-1 commands: iqtree,iqtree-mpi,iqtree-omp name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: iraf version: 2.16.1+2018.03.10-2 commands: irafcl,sgidispatch name: iraf-dev version: 2.16.1+2018.03.10-2 commands: generic,mkpkg,xc,xyacc name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: ismrmrd-tools version: 1.3.3-1build2 commands: ismrmrd_generate_cartesian_shepp_logan,ismrmrd_info,ismrmrd_read_timing_test,ismrmrd_recon_cartesian_2d,ismrmrd_test_xml name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itksnap version: 3.6.0-2 commands: itksnap name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dial,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kaddressbook version: 4:17.12.3-0ubuntu1 commands: kaddressbook name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kalarm version: 4:17.12.3-0ubuntu1 commands: kalarm,kalarmautostart name: kalgebra version: 4:17.12.3-0ubuntu1 commands: calgebra,kalgebra name: kalgebramobile version: 4:17.12.3-0ubuntu1 commands: kalgebramobile name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kde-telepathy-text-ui version: 4:17.12.3-0ubuntu1 commands: ktp-log-viewer name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdepim-addons version: 17.12.3-0ubuntu2 commands: kmail_antivir,kmail_clamav,kmail_fprot,kmail_sav name: kdepim-runtime version: 4:17.12.3-0ubuntu2 commands: akonadi_akonotes_resource,akonadi_birthdays_resource,akonadi_contacts_resource,akonadi_davgroupware_resource,akonadi_ews_resource,akonadi_ewsmta_resource,akonadi_facebook_resource,akonadi_googlecalendar_resource,akonadi_googlecontacts_resource,akonadi_ical_resource,akonadi_icaldir_resource,akonadi_imap_resource,akonadi_invitations_agent,akonadi_kalarm_dir_resource,akonadi_kalarm_resource,akonadi_kolab_resource,akonadi_maildir_resource,akonadi_maildispatcher_agent,akonadi_mbox_resource,akonadi_migration_agent,akonadi_mixedmaildir_resource,akonadi_newmailnotifier_agent,akonadi_notes_resource,akonadi_openxchange_resource,akonadi_pop3_resource,akonadi_tomboynotes_resource,akonadi_vcard_resource,akonadi_vcarddir_resource,gidmigrator name: kdepim-themeeditors version: 4:17.12.3-0ubuntu1 commands: contactprintthemeeditor,contactthemeeditor,headerthemeeditor name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb version: 1.0b4+ds-14 commands: kgb name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kicad version: 4.0.7+dfsg1-1ubuntu2 commands: _cvpcb.kiface,_eeschema.kiface,_gerbview.kiface,_pcb_calculator.kiface,_pcbnew.kiface,_pl_editor.kiface,bitmap2component,dxf2idf,eeschema,gerbview,idf2vrml,idfcyl,idfrect,kicad,pcb_calculator,pcbnew,pl_editor name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmail version: 4:17.12.3-0ubuntu1 commands: akonadi_archivemail_agent,akonadi_followupreminder_agent,akonadi_mailfilter_agent,akonadi_sendlater_agent,kmail name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knot-resolver version: 2.1.1-1 commands: kresc,kresd name: knotes version: 4:17.12.3-0ubuntu1 commands: akonadi_notes_agent,knotes name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:17.12.3-0ubuntu1 commands: fsview name: konqueror version: 4:17.12.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: konsolekalendar version: 4:17.12.3-0ubuntu1 commands: calendarjanitor,konsolekalendar name: kontact version: 4:17.12.3-0ubuntu1 commands: kontact name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: korganizer version: 4:17.12.3-0ubuntu2 commands: korgac,korganizer name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: krita version: 1:4.0.1+dfsg-0ubuntu1 commands: krita,kritarunner name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktnef version: 4:17.12.3-0ubuntu1 commands: ktnef name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubrick version: 4:17.12.3-0ubuntu2 commands: kubrick name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvmtool version: 0.20170904-1 commands: lkvm name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladspalist version: 3.7.1~repack-2 commands: ladspalist name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latrace version: 0.5.11-1 commands: latrace,latrace-ctl name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazarus-ide-1.8 version: 1.8.2+dfsg-3 commands: lazarus-ide,lazarus-ide-1.8.2,startlazarus,startlazarus-1.8.2 name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcl-utils-1.8 version: 1.8.2+dfsg-3 commands: lazbuild-1.8.2,lazres-1.8.2,lrstolfm-1.8.2,svn2revisioninc-1.8.2,updatepofiles-1.8.2 name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldc version: 1:1.8.0-1 commands: ldc-build-runtime,ldc-profdata,ldc-prune-cache,ldc2,ldmd2 name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: lepton version: 1.2.1+20170405-3build1 commands: lepton name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfabric1 version: 1.5.3-1 commands: fi_info,fi_pingpong,fi_strerror name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libfst-tools version: 1.6.3-2 commands: farcompilestrings,farcreate,farequal,farextract,farinfo,farisomorphic,farprintstrings,fstarcsort,fstclosure,fstcompile,fstcompose,fstcompress,fstconcat,fstconnect,fstconvert,fstdeterminize,fstdifference,fstdisambiguate,fstdraw,fstencode,fstepsnormalize,fstequal,fstequivalent,fstinfo,fstintersect,fstinvert,fstisomorphic,fstlinear,fstloglinearapply,fstmap,fstminimize,fstprint,fstproject,fstprune,fstpush,fstrandgen,fstrandmod,fstrelabel,fstreplace,fstreverse,fstreweight,fstrmepsilon,fstshortestdistance,fstshortestpath,fstsymbols,fstsynchronize,fsttopsort,fstunion,mpdtcompose,mpdtexpand,mpdtinfo,mpdtreverse,pdtcompose,pdtexpand,pdtinfo,pdtreplace,pdtreverse,pdtshortestpath name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgst-dev version: 3.2.5-1.1 commands: gst-config name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5incidenceeditor-bin version: 17.12.3-0ubuntu1 commands: kincidenceeditor name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblldb-5.0 version: 1:5.0.1-4 commands: liblldb-intel-mpxtable.so-5.0 name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libndpi-bin version: 2.2-1 commands: ndpiReader name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libngram-tools version: 1.3.2-3 commands: ngramapply,ngramcontext,ngramcount,ngramhisttest,ngraminfo,ngrammake,ngrammarginalize,ngrammerge,ngramperplexity,ngramprint,ngramrandgen,ngramrandtest,ngramread,ngramshrink,ngramsort,ngramsplit,ngramsymbols,ngramtransfer name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnvtt-bin version: 2.0.8-1+dfsg-8.1 commands: nvassemble,nvcompress,nvddsinfo,nvdecompress,nvimgdiff,nvzoom name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopenafs-dev version: 1.8.0~pre5-1 commands: afs_compile_et,rxgen name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpocl-dev version: 1.1-5 commands: poclcc name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: i386-linux-gnu-python3.7-dbg-config,i386-linux-gnu-python3.7dm-config,i686-linux-gnu-python3.7-dbg-config,i686-linux-gnu-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: i386-linux-gnu-python3.7-config,i386-linux-gnu-python3.7m-config,i686-linux-gnu-python3.7-config,i686-linux-gnu-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librheolef-dev version: 6.7-6 commands: rheolef-config name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: librivet-dev version: 1.8.3-2build1 commands: rivet-config name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libsoqt-dev-common version: 1.6.0~e8310f-4 commands: soqt-config name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtk7-java version: 7.1.1+dfsg1-2 commands: vtkParseJava-7.1,vtkWrapJava-7.1 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxenomai-dev version: 2.6.4+dfsg-1 commands: xeno-config name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: likwid version: 4.3.1+dfsg1-1 commands: feedGnuplot,likwid-accessD,likwid-bench,likwid-features,likwid-genTopoCfg,likwid-memsweeper,likwid-mpirun,likwid-perfctr,likwid-perfscope,likwid-pin,likwid-powermeter,likwid-setFreq,likwid-setFrequencies,likwid-topology name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lld-4.0 version: 1:4.0.1-10 commands: ld.lld-4.0,lld-4.0,lld-link-4.0 name: lld-5.0 version: 1:5.0.1-4 commands: ld.lld-5.0,lld-5.0,lld-link-5.0 name: lldb-3.9 version: 1:3.9.1-19ubuntu1 commands: lldb-3.9,lldb-3.9.1-3.9,lldb-argdumper-3.9,lldb-mi-3.9,lldb-mi-3.9.1-3.9,lldb-server-3.9,lldb-server-3.9.1-3.9 name: lldb-4.0 version: 1:4.0.1-10 commands: lldb-4.0,lldb-4.0.1-4.0,lldb-argdumper-4.0,lldb-mi-4.0,lldb-mi-4.0.1-4.0,lldb-server-4.0,lldb-server-4.0.1-4.0 name: lldb-5.0 version: 1:5.0.1-4 commands: lldb-5.0,lldb-argdumper-5.0,lldb-mi-5.0,lldb-server-5.0 name: lldb-6.0 version: 1:6.0-1ubuntu2 commands: lldb-6.0,lldb-argdumper-6.0,lldb-mi-6.0,lldb-server-6.0,lldb-test-6.0 name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: isadump,isaset,sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadlin version: 1.6f-5 commands: freeramdisk name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: longrun version: 0.9-22 commands: longrun name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lphdisk version: 0.9.1.ds1-2 commands: lphdisk name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luajit version: 2.1.0~beta3+dfsg-5.1 commands: luajit name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-fdisk-cross version: 0.1-18 commands: mac-fdisk name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: mame version: 0.195+dfsg.1-2 commands: mame name: mame-tools version: 0.195+dfsg.1-2 commands: castool,chdman,floptool,imgtool,jedutil,ldresample,ldverify,romcmp name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: manaplus version: 1.8.2.17-1 commands: manaplus name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marionnet version: 0.90.6+bzr508-1 commands: marionnet,marionnet-daemon,marionnet_telnet.sh,port-helper name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: matroxset version: 0.4-9 commands: matroxset name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mbmon version: 2.05-9 commands: mbmon,mbmon-rrd name: mbox-importer version: 17.12.3-0ubuntu1 commands: mboximporter name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,diagraphica,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lpsxsim,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsgraph,ltsinfo,ltsview,mcrl2-gui,mcrl22lps,mcrl2compilerewriter,mcrl2i,mcrl2xi,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memleax version: 1.1.1-1 commands: memleax name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshlab version: 1.3.2+dfsg1-4 commands: meshlab,meshlabserver name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mit-scheme version: 9.1.1-5build3 commands: mit-scheme,mit-scheme-i386,scheme name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mixxx version: 2.0.0~dfsg-9 commands: mixxx name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkelfimage version: 2.7-7build1 commands: mkelfImage name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: ml-burg version: 110.79-4 commands: ml-burg name: ml-lex version: 110.79-4 commands: ml-lex name: ml-lpt version: 110.79-4 commands: ml-antlr,ml-ulex name: ml-nlffigen version: 110.79-4 commands: ml-nlffigen name: ml-yacc version: 110.79-4 commands: ml-yacc name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlterm version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tiny version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tools version: 3.8.4-1build1 commands: mlcc,mlclient name: mlton-compiler version: 20130715-3 commands: mlton name: mlton-tools version: 20130715-3 commands: mllex,mlnlffigen,mlprof,mlyacc name: mlucas version: 14.1-2 commands: mlucas name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mm3d version: 1.3.9+git20180220-1 commands: mm3d name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-boehm version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-boehm name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,pedump,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpqc3 version: 0.0~git20170114-4ubuntu1 commands: mpqc3 name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrbayes version: 3.2.6+dfsg-2 commands: mb name: mrbayes-mpi version: 3.2.6+dfsg-2 commands: mb-mpi name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mricron version: 0.20140804.1~dfsg.1-2 commands: dcm2nii,dcm2niigui,mricron,mricron-npm name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: msrtool version: 1:20141027-1.1ubuntu1 commands: msrtool name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtail version: 3.0.0~rc5-1 commands: mtail name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: mu-cade version: 0.11.dfsg1-12 commands: mu-cade name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mudlet version: 1:3.7.1-1 commands: mudlet name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: mupen64plus-qt version: 1.11-1 commands: mupen64plus-qt name: mupen64plus-ui-console version: 2.5-3 commands: mupen64plus name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutextrace version: 0.1.4-1build1 commands: mutextrace name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nageru version: 1.6.4-2build2 commands: kaeru,nageru name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nam version: 1.15-4 commands: nam name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nanopolish version: 0.9.0-1 commands: nanopolish name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbc version: 1.2.1.r4+dfsg-8 commands: nbc name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndisgtk version: 0.8.5-1ubuntu1 commands: ndisgtk name: ndiswrapper version: 1.60-6 commands: loadndisdriver,ndiswrapper,ndiswrapper-buginfo name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-openmpi version: 3.7.2-7.4build2 commands: NPopenmpi,NPopenmpi2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neuron version: 7.5-1 commands: nrngui,nrniv,nrnoc name: neuron-dev version: 7.5-1 commands: nrnivmodl name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nictools-pci version: 1.3.8-2build1 commands: alta-diag,eepro100-diag,epic-diag,myson-diag,natsemi-diag,ne2k-pci-diag,ns820-diag,pci-config,pcnet-diag,rtl8139-diag,starfire-diag,tulip-diag,via-diag,vortex-diag,winbond-diag,yellowfin-diag name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: nim version: 0.17.2-1ubuntu2 commands: nim,nimble,nimgrep,nimsuggest name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomacs version: 3.8.0+dfsg-4 commands: nomacs name: nomad version: 0.4.0+dfsg-1 commands: nomad name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: notary version: 0.1~ds1-1 commands: notary,notary-server name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: nowhere version: 110.79-4 commands: nowhere name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns2 version: 2.35+dfsg-2.1 commands: calcdest,dec-tr-stat,epa-tr-stat,nlanr-tr-stat,ns,nse,nstk,setdest,ucb-tr-stat name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntopng version: 3.2+dfsg1-1 commands: ntopng name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numatop version: 1.0.4-8 commands: numatop name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nvram-wakeup version: 1.1-4build1 commands: biosinfo,cat_nvram,guess,guess-helper,nvram-wakeup,rtc name: nvramtool version: 0.0+r3669-2.2build1 commands: nvramtool name: nvtv version: 0.4.7-8build1 commands: nvdump,nvtv,nvtvd name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwchem version: 6.6+r27746-4build1 commands: nwchem name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oaklisp version: 1.3.6-2build1 commands: oaklisp name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mingw-w64-i686 version: 4.01.0~20140328-1build6 commands: i686-w64-mingw32-ocamlc,i686-w64-mingw32-ocamlcp,i686-w64-mingw32-ocamldep,i686-w64-mingw32-ocamlmklib,i686-w64-mingw32-ocamlmktop,i686-w64-mingw32-ocamlopt,i686-w64-mingw32-ocamlprof,i686-w64-mingw32-ocamlrun name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: octovis version: 1.8.1+dfsg-1 commands: octovis name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggvideotools version: 0.9.1-4 commands: mkThumbs,oggCat,oggCut,oggDump,oggJoin,oggLength,oggSilence,oggSlideshow,oggSplit,oggThumb,oggTranscode name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: onedrive version: 1.1.20170919-2ubuntu2 commands: onedrive name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: open-vm-tools-desktop version: 2:10.2.0-3ubuntu3 commands: vmware-user-suid-wrapper name: openafs-client version: 1.8.0~pre5-1 commands: afs-up,afsd,afsio,afsmonitor,backup,bos,butc,cmdebug,fms,fs,fstrace,livesys,pagsh,pagsh.openafs,pts,restorevol,rmtsysd,rxdebug,scout,sys,tokens,translate_et,udebug,unlog,vos,xstat_cm_test,xstat_fs_test name: openafs-dbserver version: 1.8.0~pre5-1 commands: afs-newcell,afs-rootvol,prdb_check,pt_util,read_tape,vldb_check name: openafs-fileserver version: 1.8.0~pre5-1 commands: bos_util,bosserver,dafssync-debug,fssync-debug,salvsync-debug,state_analyzer,voldump,volinfo,volscan name: openafs-fuse version: 1.8.0~pre5-1 commands: afsd.fuse name: openafs-krb5 version: 1.8.0~pre5-1 commands: akeyconvert,aklog,asetkey,klog,klog.krb5 name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: openchrome-tool version: 1:0.6.0-3 commands: via_regs_dump name: opencity version: 0.0.6.5stable-3 commands: opencity name: openclonk version: 8.0-2 commands: c4group,openclonk name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,iv,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openjfx version: 8u161-b12-1ubuntu2 commands: javafxpackager,javapackager name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni-utils version: 1.5.4.0-14build1 commands: NiViewer,Sample-NiAudioSample,Sample-NiBackRecorder,Sample-NiCRead,Sample-NiConvertXToONI,Sample-NiHandTracker,Sample-NiRecordSynthetic,Sample-NiSimpleCreate,Sample-NiSimpleRead,Sample-NiSimpleSkeleton,Sample-NiSimpleViewer,Sample-NiUserSelection,Sample-NiUserTracker,niLicense,niReg name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgframerenderer,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: optgeo version: 2.25-1 commands: optgeo name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orpie version: 1.5.2-2 commands: orpie,orpie-curses-keys name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovito version: 2.9.0+dfsg1-5ubuntu2 commands: ovito,ovitos name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palo version: 2.00 commands: palo name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: papi-tools version: 5.6.0-1 commands: papi_avail,papi_clockres,papi_command_line,papi_component_avail,papi_cost,papi_decode,papi_error_codes,papi_event_chooser,papi_mem_info,papi_multiplex_cost,papi_native_avail,papi_version,papi_xml_event_info name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parley version: 4:17.12.3-0ubuntu1 commands: parley name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parsec47 version: 0.2.dfsg1-9 commands: parsec47 name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasdoc version: 0.15.0-1 commands: pasdoc name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patat version: 0.5.2.2-2 commands: patat name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: paxtest version: 1:0.9.14-2 commands: paxtest name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_ground_based_rgbd_people_detector,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_image_grabber_saver,pcl_image_grabber_viewer,pcl_in_hand_scanner,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_manual_registration,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_modeler,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_ni_agast,pcl_ni_brisk,pcl_ni_linemod,pcl_ni_susan,pcl_ni_trajkovic,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_offline_integration,pcl_oni2pcd,pcl_oni_viewer,pcl_openni2_viewer,pcl_openni_3d_concave_hull,pcl_openni_3d_convex_hull,pcl_openni_boundary_estimation,pcl_openni_change_viewer,pcl_openni_face_detector,pcl_openni_fast_mesh,pcl_openni_feature_persistence,pcl_openni_grabber_depth_example,pcl_openni_grabber_example,pcl_openni_ii_normal_estimation,pcl_openni_image,pcl_openni_klt,pcl_openni_mls_smoothing,pcl_openni_mobile_server,pcl_openni_octree_compression,pcl_openni_organized_compression,pcl_openni_organized_edge_detection,pcl_openni_organized_multi_plane_segmentation,pcl_openni_passthrough,pcl_openni_pcd_recorder,pcl_openni_planar_convex_hull,pcl_openni_planar_segmentation,pcl_openni_save_image,pcl_openni_shift_to_depth_conversion,pcl_openni_tracking,pcl_openni_uniform_sampling,pcl_openni_viewer,pcl_openni_voxel_grid,pcl_organized_pcd_to_png,pcl_organized_segmentation_demo,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_grabber_viewer,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pcd_video_player,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_point_cloud_editor,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsx2 version: 1.4.0+dfsg-2 commands: PCSX2 name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pd-scaf version: 1:0.14.1+darcs20180201-1 commands: scafc name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pep8-simul version: 8.1.3+ds1-2 commands: pep8-simul name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perftest version: 4.1+0.2.g770623f-1 commands: ib_atomic_bw,ib_atomic_lat,ib_read_bw,ib_read_lat,ib_send_bw,ib_send_lat,ib_write_bw,ib_write_lat,raw_ethernet_burst_lat,raw_ethernet_bw,raw_ethernet_fs_rate,raw_ethernet_lat,run_perftest_loopback,run_perftest_multi_devices name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: pesign version: 0.112-4 commands: authvar,efikeygen,efisiglist,pesigcheck,pesign,pesign-client name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pforth version: 21-12 commands: pforth name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgloader version: 3.4.1+dfsg-1 commands: pgloader name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: pianobooster version: 0.6.7~svn156-1 commands: pianobooster name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picolisp version: 17.12+20180218-1 commands: picolisp,pil name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pim-data-exporter version: 4:17.12.3-0ubuntu1 commands: pimsettingexporter,pimsettingexporterconsole name: pim-sieve-editor version: 4:17.12.3-0ubuntu1 commands: sieveeditor name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixbros version: 0.6.3+dfsg-0.1 commands: pixbros name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixfrogger version: 1.0+dfsg-0.1 commands: pixfrogger name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-config-aarch64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: aarch64-linux-gnu-pkg-config name: pkg-config-alpha-linux-gnu version: 4:7.3.0-3ubuntu1 commands: alpha-linux-gnu-pkg-config name: pkg-config-arm-linux-gnueabi version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabi-pkg-config name: pkg-config-arm-linux-gnueabihf version: 4:7.3.0-3ubuntu2 commands: arm-linux-gnueabihf-pkg-config name: pkg-config-hppa-linux-gnu version: 4:7.3.0-3ubuntu1 commands: hppa-linux-gnu-pkg-config name: pkg-config-m68k-linux-gnu version: 4:7.3.0-3ubuntu1 commands: m68k-linux-gnu-pkg-config name: pkg-config-mips-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mips-linux-gnu-pkg-config name: pkg-config-mips64-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64-linux-gnuabi64-pkg-config name: pkg-config-mips64el-linux-gnuabi64 version: 4:7.3.0-3ubuntu1 commands: mips64el-linux-gnuabi64-pkg-config name: pkg-config-mipsel-linux-gnu version: 4:7.3.0-3ubuntu1 commands: mipsel-linux-gnu-pkg-config name: pkg-config-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-pkg-config name: pkg-config-powerpc-linux-gnuspe version: 4:7.3.0-3ubuntu1 commands: powerpc-linux-gnuspe-pkg-config name: pkg-config-powerpc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: powerpc64-linux-gnu-pkg-config name: pkg-config-powerpc64le-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc64le-linux-gnu-pkg-config name: pkg-config-riscv64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: riscv64-linux-gnu-pkg-config name: pkg-config-s390x-linux-gnu version: 4:7.3.0-3ubuntu2 commands: s390x-linux-gnu-pkg-config name: pkg-config-sh4-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sh4-linux-gnu-pkg-config name: pkg-config-sparc64-linux-gnu version: 4:7.3.0-3ubuntu1 commands: sparc64-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-pkg-config name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plink1.9 version: 1.90~b5.2-180109-1 commands: plink1.9 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmac-fdisk-cross version: 0.1-18 commands: pmac-fdisk name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pommed version: 1.39~dfsg-4build2 commands: pommed name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: praat version: 6.0.37-2 commands: praat,praat-open-files,praat_nogui,sendpraat name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primer3 version: 2.4.0-1ubuntu2 commands: ntdpal,ntthal,oligotm,primer3_core name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: primus version: 0~20150328-6 commands: primusrun name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectl version: 1.001.dfsg1-9 commands: projectl name: projectm-jack version: 2.1.0+dfsg-4build1 commands: projectM-jack name: projectm-pulseaudio version: 2.1.0+dfsg-4build1 commands: projectM-pulseaudio name: prolix version: 0.03-1 commands: prolix name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: proot version: 5.1.0-1.2 commands: proot name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: pspg version: 0.9.3-1 commands: pspg name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: psst version: 0.1-4 commands: psst name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstack version: 1.3.1-1build1 commands: pstack name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purify version: 2.0.0-2 commands: purify name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-numba version: 0.34.0-3 commands: numba name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-woo version: 1.0+dfsg1-2 commands: woo,woo-batch name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-numba version: 0.34.0-3 commands: numba name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyraf version: 2.1.14+dfsg-6 commands: pyraf name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapPython-7.1,vtkWrapPythonInit-7.1 name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-woo version: 1.0+dfsg1-2 commands: woo-py3,woo-py3-batch name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qconf version: 2.4-3 commands: qt-qconf name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiime version: 1.8.0+dfsg-4ubuntu1 commands: qiime name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlandkartegt version: 1.8.1+ds-8build4 commands: cache2gtiff,map2gcm,map2jnx,map2rmap,map2rmp,qlandkartegt name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qstopmotion version: 2.3.2-1 commands: qstopmotion name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtiplot version: 0.9.8.9-17 commands: qtiplot name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racket version: 6.11+dfsg1-1 commands: drracket,gracket,gracket-text,mred,mred-text,mzc,mzpp,mzscheme,mztext,pdf-slatex,plt-games,plt-help,plt-r5rs,plt-r6rs,plt-web-server,racket,raco,scribble,setup-plt,slatex,slideshow,swindle name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: raincat version: 1.1.1.2-3 commands: raincat name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasmol version: 2.7.5.2-2 commands: rasmol,rasmol-classic,rasmol-gtk name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: raxml version: 8.2.11+dfsg-1 commands: raxmlHPC,raxmlHPC-PTHREADS,raxmlHPC-PTHREADS-AVX,raxmlHPC-PTHREADS-SSE3 name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rcs-blame version: 1.3.1-4 commands: blame name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reapr version: 1.0.18+dfsg-3 commands: reapr name: rear version: 2.3+dfsg-1 commands: rear name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: ree version: 1.3-4 commands: fontdump,ree name: refind version: 0.11.2-1 commands: mkrlconf,mvrefind,refind-install,refind-mkdefault name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: reptyr version: 0.6.2-1.2 commands: reptyr name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rheolef version: 6.7-6 commands: bamg,bamg2geo,branch,csr,field,geo,mkgeo_ball,mkgeo_grid,mkgeo_ugrid,msh2geo name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: rio version: 1.07-12 commands: rio name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkt version: 1.29.0+dfsg-1 commands: rkt name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rovclock version: 0.6e-7build1 commands: rovclock name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rr version: 5.1.0-1 commands: rr,signal-rr-recording name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbac-admin version: 1.4.0-repack-0ubuntu6 commands: acl_grant,acl_group,acl_mask,acl_rights,acl_rm_user,acl_tlist,attr_back_dev,attr_back_fd,attr_back_group,attr_back_net,attr_back_user,attr_get_fd,attr_get_file_dir,attr_get_group,attr_get_ipc,attr_get_net,attr_get_process,attr_get_up,attr_get_user,attr_rm_fd,attr_rm_file_dir,attr_rm_user,attr_set_fd,attr_set_file_dir,attr_set_group,attr_set_ipc,attr_set_net,attr_set_process,attr_set_up,attr_set_user,auth_back_cap,auth_set_cap,backup_all,backup_all_1.1.2,daz_flush,get_attribute_name,get_attribute_nr,linux2acl,mac_back_trusted,mac_get_levels,mac_set_trusted,mac_wrap,net_temp,pm_create,pm_ct_exec,rc_copy_role,rc_copy_type,rc_get_current_role,rc_get_eff_rights_fd,rc_get_item,rc_role_wrap,rc_set_item,rsbac_acl_group_menu,rsbac_acl_menu,rsbac_auth,rsbac_check,rsbac_dev_menu,rsbac_fd_menu,rsbac_gpasswd,rsbac_group_menu,rsbac_groupadd,rsbac_groupdel,rsbac_groupmod,rsbac_groupshow,rsbac_init,rsbac_jail,rsbac_list_ta,rsbac_login,rsbac_menu,rsbac_netdev_menu,rsbac_nettemp_def_menu,rsbac_nettemp_menu,rsbac_passwd,rsbac_pm,rsbac_process_menu,rsbac_rc_role_menu,rsbac_rc_type_menu,rsbac_settings_menu,rsbac_stats,rsbac_stats_pm,rsbac_user_menu,rsbac_useradd,rsbac_userdel,rsbac_usermod,rsbac_usershow,rsbac_version,rsbac_write,switch_adf_log,switch_module,user_aci name: rsbac-klogd version: 1.4.0-repack-0ubuntu6 commands: rklogd,rklogd-viewer name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-ferret version: 0.11.8.6-2build3 commands: ferret-browser name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s3switch version: 0.1-1 commands: s3switch name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: sambamba version: 0.6.7-2 commands: sambamba name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sb16ctrl-bochs version: 2.6-5build2 commands: sb16ctrl name: sbcl version: 2:1.4.5-1 commands: sbcl name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme2c version: 2012.10.14-1ubuntu1 commands: s2cc,s2cdecl,s2ch,s2ci,s2cixl,scc,sch,sci,scixl name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: XML2Modelica,modelicac,modelicat,scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scm version: 5f2-2 commands: scm name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scolily version: 0.4.1-0ubuntu5 commands: scolily name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: sdrangelove version: 0.0.1.20150707-2build3 commands: sdrangelove name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seed-webkit2 version: 4.0.0+20161014+6c77960+dfsg1-5build1 commands: seed name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shelxle version: 1.0.888-1 commands: shelxle name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simg2img version: 1:7.0.0+r33-2 commands: simg2img name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbios-utils version: 2.4.1-1 commands: dellLcdBrightness,dellWirelessCtl,getSystemId,smbios-battery-ctl,smbios-get-ut-data,smbios-keyboard-ctl,smbios-lcd-brightness,smbios-passwd,smbios-state-byte-ctl,smbios-sys-info,smbios-sys-info-lite,smbios-thermal-ctl,smbios-token-ctl,smbios-upflag-ctl,smbios-wakeup-ctl,smbios-wireless-ctl name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smlnj version: 110.79-4 commands: ml-build,ml-makedepend,sml name: smlsharp version: 1.2.0-2 commands: smlformat,smllex,smlsharp,smlyacc name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-jack version: 18.1-1 commands: snd,snd.gtk-jack name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofa-apps version: 1.0~beta4-12 commands: sofa name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-pi version: 2.10.0~repack-2.1 commands: sonic-pi name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortmerna version: 2.1-2 commands: indexdb_rna,sortmerna name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.qt,ssr-binaural,ssr-binaural.qt,ssr-brs,ssr-brs.qt,ssr-generic,ssr-generic.qt,ssr-nfc-hoa,ssr-nfc-hoa.qt,ssr-vbap,ssr-vbap.qt,ssr-wfs,ssr-wfs.qt name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundscaperenderer-nox version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.nox,ssr-binaural,ssr-binaural.nox,ssr-brs,ssr-brs.nox,ssr-generic,ssr-generic.nox,ssr-nfc-hoa,ssr-nfc-hoa.nox,ssr-vbap,ssr-vbap.nox,ssr-wfs,ssr-wfs.nox name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphde-utils version: 1.3.0-1 commands: sasutil name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: split-select version: 1:7.0.0+r33-1 commands: split-select name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: spring version: 104.0+dfsg-2 commands: pr-downloader,spring,spring-dedicated,spring-headless name: springlobby version: 0.263+dfsg-1 commands: springlobby name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: sra-toolkit version: 2.8.2-5+dfsg-1 commands: abi-dump,abi-load,align-info,bam-load,cache-mgr,cg-load,copycat,fastdump,fastq-dump,fastq-load,helicos-load,illumina-dump,illumina-load,kar,kdbmeta,latf-load,pacbio-load,prefetch,rcexplain,sam-dump,sff-dump,sff-load,sra-pileup,sra-sort,sra-stat,srapath,srf-load,test-sra,vdb-config,vdb-copy,vdb-decrypt,vdb-dump,vdb-encrypt,vdb-get,vdb-lock,vdb-passwd,vdb-unlock,vdb-validate name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalin version: 0.11-6build1 commands: stalin name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: strace64 version: 4.21-1ubuntu1 commands: strace64 name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stressapptest version: 1.0.6-2build1 commands: stressapptest name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: structure-synth version: 1.5.0-3 commands: structure-synth name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subread version: 1.6.0+dfsg-1 commands: exactSNP,featureCounts,subindel,subjunc,sublong,subread-align,subread-buildindex name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-supernova version: 1:3.8.0~repack-2 commands: supernova name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superiotool version: 0.0+r6637-1build1 commands: superiotool name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-hyperscan version: 3.2-2ubuntu3 commands: suricata,suricata.hyperscan name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysbench version: 1.0.11+ds-1 commands: sysbench name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslinux-utils version: 3:6.03+dfsg1-2 commands: gethostip,isohybrid,isohybrid.pl,lss16toppm,md5pass,memdiskfind,mkdiskimage,ppmtolss16,pxelinux-options,sha1pass,syslinux2ansi name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysprof version: 3.28.1-1 commands: sysprof,sysprof-cli name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts version: 1.5.5.37.g1687c02-1 commands: tarantar,tarantool_box name: tarantool-lts-client version: 1.5.5.37.g1687c02-1 commands: tarantool name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tatan version: 1.0.dfsg1-8 commands: tatan name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tboot version: 1.9.6-0ubuntu1 commands: acminfo,lcp2_crtpol,lcp2_crtpolelt,lcp2_crtpollist,lcp2_mlehash,lcp_crtpconf,lcp_crtpol,lcp_crtpol2,lcp_crtpolelt,lcp_crtpollist,lcp_mlehash,lcp_readpol,lcp_writepol,parse_err,tb_polgen,tpmnv_defindex,tpmnv_getcap,tpmnv_lock,tpmnv_relindex,txt-stat name: tcc version: 0.9.27-5 commands: cc,tcc name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapTcl-7.1,vtkWrapTclInit-7.1 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tclcl version: 1.20-8build1 commands: otcldoc,tcl2c++ name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teeworlds version: 0.6.4+dfsg-1 commands: teeworlds name: teeworlds-server version: 0.6.4+dfsg-1 commands: teeworlds-server name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: tetzle version: 2.1.2+dfsg1-1 commands: tetzle name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg version: 1.8.0-3build1 commands: runThePEG,setupThePEG name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilix version: 1.7.7-1ubuntu2 commands: tilix,tilix.wrapper,x-terminal-emulator name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: titanion version: 0.3.dfsg1-7 commands: titanion name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torbrowser-launcher version: 0.2.9-2 commands: torbrowser-launcher name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: torus-trooper version: 0.22.dfsg1-11 commands: torus-trooper name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpb version: 0.6.4-11 commands: tpb name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: trafficserver version: 7.1.2+ds-3 commands: traffic_cop,traffic_crashlog,traffic_ctl,traffic_layout,traffic_logcat,traffic_logstats,traffic_manager,traffic_server,traffic_top,traffic_via,traffic_wccp,tspush name: trafficserver-dev version: 7.1.2+ds-3 commands: tsxs name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transgui version: 5.0.1-5.1 commands: transgui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tumiki-fighters version: 0.2.dfsg1-8 commands: tumiki-fighters name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxcmd version: 0.6.70+dfsg-2 commands: tuxcmd name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: u3-tool version: 0.3-3 commands: u3-tool name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: ugene version: 1.25.0+dfsg-1 commands: ugene name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-help,uim-m17nlib-relink-icons,uim-module-manager,uim-sh,uim-toolbar name: uim-el version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-el-agent,uim-el-helper-agent name: uim-fep version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-fep,uim-fep-tick name: uim-gtk2.0 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk,uim-input-pad-ja,uim-pref-gtk,uim-toolbar,uim-toolbar-gtk,uim-toolbar-gtk-systray name: uim-gtk3 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk3,uim-input-pad-ja-gtk3,uim-pref-gtk3,uim-toolbar,uim-toolbar-gtk3,uim-toolbar-gtk3-systray name: uim-qt5 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-chardict-qt5,uim-im-switcher-qt5,uim-pref-qt5,uim-toolbar,uim-toolbar-qt5 name: uim-xim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-xim name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: umview version: 0.8.2-1.1build1 commands: kmview,mstack,um_add_service,um_attach,um_del_service,um_fsalias,um_ls_service,umshutdown,umview,viewmount,viewname,viewsu,viewsudo,viewumount,vuname name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: urweb version: 20170720+dfsg-2build1 commands: urweb name: usb-creator-kde version: 0.3.5 commands: usb-creator-kde name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ushare version: 1.1a-0ubuntu10 commands: ushare name: ussp-push version: 0.11-4 commands: ussp-push name: uswsusp version: 1.0+20120915-6.1build1 commands: s2both,s2disk,s2ram,swap-offset name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvp-monitor version: 2.2.0.316-0ubuntu1 commands: uvp-monitor name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-luajit version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_lua,uwsgi_luajit name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-v8 version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_v8 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: v86d version: 0.1.10-1build1 commands: v86d name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: val-and-rick version: 0.1a.dfsg1-6~build1 commands: val-and-rick name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbetool version: 1.1-4 commands: vbetool name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vboot-kernel-utils version: 0~R63-10032.B-3 commands: futility,futility_s,vbutil_kernel name: vboot-utils version: 0~R63-10032.B-3 commands: bdb_extend,bmpblk_font,bmpblk_utility,chromeos-tpm-recovery,crossystem,crossystem_s,dev_debug_vboot,dev_make_keypair,dumpRSAPublicKey,dump_fmap,dump_kernel_config,eficompress,efidecompress,enable_dev_usb_boot,gbb_utility,load_kernel_test,pad_digest_utility,signature_digest_utility,tpm-nvsize,tpm_init_temp_fix,tpmc,vbutil_firmware,vbutil_key,vbutil_keyblock,vbutil_what_keys,verify_data name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: view3dscene version: 3.18.0-2 commands: tovrmlx3d,view3dscene name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,spice-xpi-client-remote-viewer,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtualjaguar version: 2.1.3-2 commands: virtualjaguar name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: vish version: 0.0.20130812-1build1 commands: vish name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: vite version: 1.2+svn1430-6 commands: vite name: viva version: 1.2-1.1 commands: viva,vv_treemap name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmg version: 3.7.1-3 commands: vmg name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtk7 version: 7.1.1+dfsg1-2 commands: vtk7,vtkEncodeString-7.1,vtkHashSource-7.1,vtkParseOGLExt-7.1,vtkWrapHierarchy-7.1 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzctl version: 4.9.4-5 commands: arpsend,ndsend,vzcalc,vzcfgvalidate,vzcptcheck,vzcpucheck,vzctl,vzeventd,vzfsync,vzifup-post,vzlist,vzmemcheck,vzmigrate,vznetaddbr,vznetcfg,vznnc,vzoversell,vzpid,vzsplit,vztmpl-dl,vzubc name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzquota version: 3.1-3 commands: vzdqcheck,vzdqdump,vzdqload,vzquota name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w1retap version: 1.4.4-3 commands: w1find,w1retap,w1sensors name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: welcome2l version: 3.04-26build1 commands: Welcome2L,welcome2l name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: wine32-development-tools version: 3.6-1 commands: widl-development,winebuild-development,winecpp-development,winedump-development,wineg++-development,winegcc-development,winemaker-development,wmc-development,wrc-development name: wine32-tools version: 3.0-1ubuntu1 commands: widl-stable,winebuild-stable,winecpp-stable,winedump-stable,wineg++-stable,winegcc-stable,winemaker-stable,wmc-stable,wrc-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: winff-gtk2 version: 1.5.5-4 commands: winff,winff-gtk2 name: winff-qt version: 1.5.5-4 commands: winff,winff-qt name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmpomme version: 1.39~dfsg-4build2 commands: wmpomme name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wraplinux version: 1.7-8build1 commands: wraplinux name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: x86info version: 1.31~pre0.8052aabdd159bc9050e7dc264f33782c5acce05f-1build1 commands: x86info name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcas version: 1.2.3.57+dfsg1-2build3 commands: cas_help,en_cas_help,es_cas_help,fr_cas_help,giac,icas,pgiac,xcas name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xenomai-system-tools version: 2.6.4+dfsg-1 commands: analogy_config,cmd_bits,cmd_read,cmd_write,insn_bits,insn_read,insn_write,rtcanconfig,rtcanrecv,rtcansend,rtps,wf_generate,wrap-link,xeno,xeno-regression-test,xeno-test name: xenstore-utils version: 4.9.2-0ubuntu1 commands: xenstore-chmod,xenstore-exists,xenstore-list,xenstore-ls,xenstore-read,xenstore-rm,xenstore-watch,xenstore-write name: xenwatch version: 0.5.4-4build1 commands: mdns-browser,mdns-publish-vnc,mdns-publish-xendom,vnc-client,xenlog,xenscreen,xenstore-gtk,xenwatch name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xflr5 version: 6.09.06-2build2 commands: xflr5 name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xindy version: 2.5.1.20160104-4build1 commands: tex2xindy,texindy,xindy name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmbmon version: 2.05-9 commands: xmbmon name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmir version: 2:1.19.6-1ubuntu4 commands: Xmir name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvattr version: 1.3-0.6ubuntu1 commands: gxvattr,xvattr name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yacpi version: 3.0.1-1 commands: yacpi name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yade version: 2018.02b-1 commands: yade,yade-batch name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yap version: 6.2.2-6build1 commands: yap name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: yazc version: 0.3.6-1 commands: yazc name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youker-assistant version: 3.0.0-0ubuntu1 commands: kylin-assistant,kylin-assistant-backend.py,kylin-assistant-session.py,youker-assistant name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-fuse version: 0.7.0-18build1 commands: zdb,zfs,zfs-fuse,zpool,zstreamdump name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipalign version: 1:7.0.0+r33-1 commands: zipalign name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptime version: 1:7.0.0+r33-1 commands: ziptime name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zsnes version: 1.510+bz2-8build2 commands: zsnes name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: ztex-bmp version: 20120314-2 commands: bmp name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-ppc64el0000664000000000000000000404301414202510314025463 0ustar suite: bionic component: universe arch: ppc64el name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: acbuild version: 0.4.0+dfsg-2 commands: acbuild name: accerciser version: 3.22.0-5 commands: accerciser name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: androguard version: 3.1.0~rc2-1 commands: androarsc,androauto,androaxml,androdd,androdis,androgui,androlyze name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: ants version: 2.2.0-1ubuntu1 commands: ANTS,ANTSIntegrateVectorField,ANTSIntegrateVelocityField,ANTSJacobian,ANTSUseDeformationFieldToGetAffineTransform,ANTSUseLandmarkImagesToGetAffineTransform,ANTSUseLandmarkImagesToGetBSplineDisplacementField,Atropos,LaplacianThickness,WarpImageMultiTransform,WarpTimeSeriesImageMultiTransform,antsAI,antsAffineInitializer,antsAlignOrigin,antsApplyTransforms,antsApplyTransformsToPoints,antsJointFusion,antsJointTensorFusion,antsLandmarkBasedTransformInitializer,antsMotionCorr,antsMotionCorrDiffusionDirection,antsMotionCorrStats,antsRegistration,antsSliceRegularizedRegistration,antsTransformInfo,antsUtilitiesTesting,jointfusion name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arora version: 0.11.0+qt5+git2014-04-06-1 commands: arora,arora-cacheinfo,arora-placesimport,htmlToXBel name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseba version: 1.6.0-3.1~build1 commands: asebachallenge,asebacmd,asebadummynode,asebadump,asebaexec,asebahttp,asebahttp2,asebajoy,asebamassloader,asebaplay,asebaplayground,asebarec,asebaswitch,thymioupgrader,thymiownetconfig,thymiownetconfig-cli name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avogadro version: 1.2.0-3 commands: avogadro,avopkg,qube name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: bagel version: 1.1.0-1 commands: BAGEL name: baitfisher version: 1.0+dfsg-2 commands: BaitFilter,BaitFisher name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bcftools version: 1.7-2 commands: bcftools,color-chrs.pl,guess-ploidy.py,plot-roh.py,plot-vcfstats,run-roh.pl,vcfutils.pl name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: bino version: 1.6.6-1 commands: bino name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-powerpc64-linux-gnu version: 2.30-15ubuntu1 commands: powerpc64-linux-gnu-addr2line,powerpc64-linux-gnu-ar,powerpc64-linux-gnu-as,powerpc64-linux-gnu-c++filt,powerpc64-linux-gnu-dwp,powerpc64-linux-gnu-elfedit,powerpc64-linux-gnu-gprof,powerpc64-linux-gnu-ld,powerpc64-linux-gnu-ld.bfd,powerpc64-linux-gnu-ld.gold,powerpc64-linux-gnu-nm,powerpc64-linux-gnu-objcopy,powerpc64-linux-gnu-objdump,powerpc64-linux-gnu-ranlib,powerpc64-linux-gnu-readelf,powerpc64-linux-gnu-size,powerpc64-linux-gnu-strings,powerpc64-linux-gnu-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: biom-format-tools version: 2.1.5+dfsg-7build2 commands: biom name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blasr version: 5.3+0-1build1 commands: bam2bax,bam2plx,bax2bam,blasr,loadPulses,pls2fasta,samFilter,samtoh5,samtom4,sawriter,sdpMatcher,toAfg name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: bowtie version: 1.2.2+dfsg-2 commands: bowtie,bowtie-align-l,bowtie-align-l-debug,bowtie-align-s,bowtie-align-s-debug,bowtie-build,bowtie-build-l,bowtie-build-l-debug,bowtie-build-s,bowtie-build-s-debug,bowtie-inspect,bowtie-inspect-l,bowtie-inspect-l-debug,bowtie-inspect-s,bowtie-inspect-s-debug name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: burp version: 2.0.54-4build1 commands: bedup,bsigs,burp,burp_ca,vss_strip name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: caffe-tools-cpu version: 1.0.0-6 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cenon.app version: 4.0.2-1build3 commands: Cenon name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: choreonoid version: 1.5.0+dfsg-0.1build3 commands: choreonoid name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: clementine version: 1.3.1+git276-g3485bbe43+dfsg-1.1build1 commands: clementine,clementine-tagreader name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clisp version: 1:2.49.20170913-4build1 commands: clisp,clisp-link name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectome-workbench version: 1.2.3+git41-gc4c6c90-2 commands: wb_command,wb_shortcuts,wb_view name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: cpp-4.8,powerpc64le-linux-gnu-cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: cpp-5,powerpc64le-linux-gnu-cpp-5 name: cpp-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-cpp-5 name: cpp-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-cpp-5 name: cpp-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: cpp-6,powerpc64le-linux-gnu-cpp-6 name: cpp-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-cpp-6 name: cpp-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-cpp-6 name: cpp-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-cpp-6 name: cpp-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-cpp-7 name: cpp-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-cpp-7 name: cpp-8 version: 8-20180414-1ubuntu2 commands: cpp-8,powerpc64le-linux-gnu-cpp-8 name: cpp-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-cpp-8 name: cpp-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-cpp-8 name: cpp-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-cpp-8 name: cpp-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-cpp name: cpp-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-cpp name: cpp-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-cpp name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: criu version: 3.6-2 commands: compel,crit,criu name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: cryptmount,cryptmount-setup name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: dapl2-utils version: 2.1.10.1.f1e05b7a-3 commands: dapltest,dtest,dtestcm,dtestsrq,dtestx name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debug-me version: 1.20170810-1 commands: debug-me name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deepnano version: 0.0+20160706-1ubuntu1 commands: deepnano_basecall,deepnano_basecall_no_metrichor name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: direwolf version: 1.4+dfsg-1build1 commands: aclients,atest,decode_aprs,direwolf,gen_packets,log2gpx,text2tt,tt2text name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doomsday version: 1.15.8-5build1 commands: boom,doom,doomsday,doomsday-compat,heretic,hexen name: doomsday-server version: 1.15.8-5build1 commands: doomsday-server name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: dq version: 20161210-1 commands: dq name: dqcache version: 20161210-1 commands: dqcache,dqcache-makekey,dqcache-start name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustracing2d version: 2.0.1-1 commands: dustrac-editor,dustrac-game name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-base-hipe version: 1:20.2.2+dfsg-1ubuntu2 commands: epmd,erl,erl_call,erlc,escript,run_erl,start_embedded,to_erl name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext3grep version: 0.10.2-3ubuntu1 commands: ext3grep name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezquake version: 2.2+git20150324-1 commands: ezquake name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: faker version: 0.7.7-2 commands: faker name: faketime version: 0.9.7-2 commands: faketime name: falcon version: 1.8.8-1ubuntu1 commands: fc_run,fc_run.py name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastnetmon version: 1.1.3+dfsg-6build1 commands: fastnetmon,fastnetmon_client name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvmip name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fgrun version: 2016.4.0-1 commands: fgrun name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitgcp version: 0.0.20150429-1 commands: fitgcp name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flightgear version: 1:2018.1.1+dfsg-1 commands: GPSsmooth,JSBSim,MIDGsmooth,UGsmooth,fgcom,fgelev,fgfs,fgjs,fgtraffic,fgviewer,js_demo,metar,yasim,yasim-proptest name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmit version: 1.0.0-1build1 commands: fmit name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fracplanet version: 0.5.1-2 commands: fracplanet name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: fraqtive version: 0.4.8-5 commands: fraqtive name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecad version: 0.16.6712+dfsg1-1ubuntu2 commands: freecad,freecadcmd name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemat version: 4.2+dfsg1-6 commands: freemat name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsm-lite version: 1.0-2 commands: fsm-lite name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: g++-4.8,powerpc64le-linux-gnu-g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: g++-5,powerpc64le-linux-gnu-g++-5 name: g++-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-g++-5 name: g++-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-g++-5 name: g++-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: g++-6,powerpc64le-linux-gnu-g++-6 name: g++-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-g++-6 name: g++-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-g++-6 name: g++-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-g++-6 name: g++-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-g++-7 name: g++-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-g++-7 name: g++-8 version: 8-20180414-1ubuntu2 commands: g++-8,powerpc64le-linux-gnu-g++-8 name: g++-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-g++-8 name: g++-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-g++-8 name: g++-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-g++-8 name: g++-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-g++ name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g++-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-g++ name: g++-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-g++ name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gazebo9 version: 9.0.0+dfsg5-3ubuntu1 commands: gazebo,gazebo-9.0.0,gz,gz-9.0.0,gzclient,gzclient-9.0.0,gzprop,gzserver,gzserver-9.0.0 name: gb version: 0.4.4-2 commands: gb,gb-vendor name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8,powerpc64le-linux-gnu-gcc-4.8,powerpc64le-linux-gnu-gcc-ar-4.8,powerpc64le-linux-gnu-gcc-nm-4.8,powerpc64le-linux-gnu-gcc-ranlib-4.8,powerpc64le-linux-gnu-gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5,powerpc64le-linux-gnu-gcc-5,powerpc64le-linux-gnu-gcc-ar-5,powerpc64le-linux-gnu-gcc-nm-5,powerpc64le-linux-gnu-gcc-ranlib-5,powerpc64le-linux-gnu-gcov-5,powerpc64le-linux-gnu-gcov-dump-5,powerpc64le-linux-gnu-gcov-tool-5 name: gcc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gcc-5,i686-linux-gnu-gcc-ar-5,i686-linux-gnu-gcc-nm-5,i686-linux-gnu-gcc-ranlib-5,i686-linux-gnu-gcov-5,i686-linux-gnu-gcov-dump-5,i686-linux-gnu-gcov-tool-5 name: gcc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gcc-5,powerpc-linux-gnu-gcc-ar-5,powerpc-linux-gnu-gcc-nm-5,powerpc-linux-gnu-gcc-ranlib-5,powerpc-linux-gnu-gcov-5,powerpc-linux-gnu-gcov-dump-5,powerpc-linux-gnu-gcov-tool-5 name: gcc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-5,x86_64-linux-gnux32-gcc-ar-5,x86_64-linux-gnux32-gcc-nm-5,x86_64-linux-gnux32-gcc-ranlib-5,x86_64-linux-gnux32-gcov-5,x86_64-linux-gnux32-gcov-dump-5,x86_64-linux-gnux32-gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6,powerpc64le-linux-gnu-gcc-6,powerpc64le-linux-gnu-gcc-ar-6,powerpc64le-linux-gnu-gcc-nm-6,powerpc64le-linux-gnu-gcc-ranlib-6,powerpc64le-linux-gnu-gcov-6,powerpc64le-linux-gnu-gcov-dump-6,powerpc64le-linux-gnu-gcov-tool-6 name: gcc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gcc-6,i686-linux-gnu-gcc-ar-6,i686-linux-gnu-gcc-nm-6,i686-linux-gnu-gcc-ranlib-6,i686-linux-gnu-gcov-6,i686-linux-gnu-gcov-dump-6,i686-linux-gnu-gcov-tool-6 name: gcc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gcc-6,powerpc-linux-gnu-gcc-ar-6,powerpc-linux-gnu-gcc-nm-6,powerpc-linux-gnu-gcc-ranlib-6,powerpc-linux-gnu-gcov-6,powerpc-linux-gnu-gcov-dump-6,powerpc-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gcc-6,x86_64-linux-gnu-gcc-ar-6,x86_64-linux-gnu-gcc-nm-6,x86_64-linux-gnu-gcc-ranlib-6,x86_64-linux-gnu-gcov-6,x86_64-linux-gnu-gcov-dump-6,x86_64-linux-gnu-gcov-tool-6 name: gcc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gcc-6,x86_64-linux-gnux32-gcc-ar-6,x86_64-linux-gnux32-gcc-nm-6,x86_64-linux-gnux32-gcc-ranlib-6,x86_64-linux-gnux32-gcov-6,x86_64-linux-gnux32-gcov-dump-6,x86_64-linux-gnux32-gcov-tool-6 name: gcc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gcc-7,i686-linux-gnu-gcc-ar-7,i686-linux-gnu-gcc-nm-7,i686-linux-gnu-gcc-ranlib-7,i686-linux-gnu-gcov-7,i686-linux-gnu-gcov-dump-7,i686-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gcc-7,x86_64-linux-gnu-gcc-ar-7,x86_64-linux-gnu-gcc-nm-7,x86_64-linux-gnu-gcc-ranlib-7,x86_64-linux-gnu-gcov-7,x86_64-linux-gnu-gcov-dump-7,x86_64-linux-gnu-gcov-tool-7 name: gcc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gcc-7,x86_64-linux-gnux32-gcc-ar-7,x86_64-linux-gnux32-gcc-nm-7,x86_64-linux-gnux32-gcc-ranlib-7,x86_64-linux-gnux32-gcov-7,x86_64-linux-gnux32-gcov-dump-7,x86_64-linux-gnux32-gcov-tool-7 name: gcc-8 version: 8-20180414-1ubuntu2 commands: gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8,powerpc64le-linux-gnu-gcc-8,powerpc64le-linux-gnu-gcc-ar-8,powerpc64le-linux-gnu-gcc-nm-8,powerpc64le-linux-gnu-gcc-ranlib-8,powerpc64le-linux-gnu-gcov-8,powerpc64le-linux-gnu-gcov-dump-8,powerpc64le-linux-gnu-gcov-tool-8 name: gcc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gcc-8,i686-linux-gnu-gcc-ar-8,i686-linux-gnu-gcc-nm-8,i686-linux-gnu-gcc-ranlib-8,i686-linux-gnu-gcov-8,i686-linux-gnu-gcov-dump-8,i686-linux-gnu-gcov-tool-8 name: gcc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gcc-8,powerpc-linux-gnu-gcc-ar-8,powerpc-linux-gnu-gcc-nm-8,powerpc-linux-gnu-gcc-ranlib-8,powerpc-linux-gnu-gcov-8,powerpc-linux-gnu-gcov-dump-8,powerpc-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gcc-8,x86_64-linux-gnu-gcc-ar-8,x86_64-linux-gnu-gcc-nm-8,x86_64-linux-gnu-gcc-ranlib-8,x86_64-linux-gnu-gcov-8,x86_64-linux-gnu-gcov-dump-8,x86_64-linux-gnu-gcov-tool-8 name: gcc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gcc-8,x86_64-linux-gnux32-gcc-ar-8,x86_64-linux-gnux32-gcc-nm-8,x86_64-linux-gnux32-gcc-ranlib-8,x86_64-linux-gnux32-gcov-8,x86_64-linux-gnux32-gcov-dump-8,x86_64-linux-gnux32-gcov-tool-8 name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gcc,i686-linux-gnu-gcc-ar,i686-linux-gnu-gcc-nm,i686-linux-gnu-gcc-ranlib,i686-linux-gnu-gcov,i686-linux-gnu-gcov-dump,i686-linux-gnu-gcov-tool name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gcc-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gcc,x86_64-linux-gnu-gcc-ar,x86_64-linux-gnu-gcc-nm,x86_64-linux-gnu-gcc-ranlib,x86_64-linux-gnu-gcov,x86_64-linux-gnu-gcov-dump,x86_64-linux-gnu-gcov-tool name: gcc-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gcc,x86_64-linux-gnux32-gcc-ar,x86_64-linux-gnux32-gcc-nm,x86_64-linux-gnux32-gcc-ranlib,x86_64-linux-gnux32-gcov,x86_64-linux-gnux32-gcov-dump,x86_64-linux-gnux32-gcov-tool name: gccbrig-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccbrig-7 name: gccbrig-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccbrig-7 name: gccbrig-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccbrig-8 name: gccbrig-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccbrig-8 name: gccgo version: 4:8-20180321-2ubuntu2 commands: gccgo,powerpc64le-linux-gnu-gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: gccgo-4.8,powerpc64le-linux-gnu-gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: gccgo-5,go-5,gofmt-5,powerpc64le-linux-gnu-gccgo-5 name: gccgo-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gccgo-5 name: gccgo-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-5 name: gccgo-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: gccgo-6,go-6,gofmt-6,powerpc64le-linux-gnu-gccgo-6,powerpc64le-linux-gnu-go-6,powerpc64le-linux-gnu-gofmt-6 name: gccgo-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gccgo-6 name: gccgo-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gccgo-6 name: gccgo-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gccgo-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: gccgo-7,go-7,gofmt-7,powerpc64le-linux-gnu-gccgo-7,powerpc64le-linux-gnu-go-7,powerpc64le-linux-gnu-gofmt-7 name: gccgo-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gccgo-7 name: gccgo-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gccgo-7 name: gccgo-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gccgo-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: gccgo-8,go-8,gofmt-8,powerpc64le-linux-gnu-gccgo-8,powerpc64le-linux-gnu-go-8,powerpc64le-linux-gnu-gofmt-8 name: gccgo-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gccgo-8 name: gccgo-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gccgo-8 name: gccgo-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gccgo-8 name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gccgo-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gccgo name: gccgo-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gccgo name: gccgo-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gccgo name: gccgo-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gccgo name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.90.20180111-0ubuntu2+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-msp430 version: 7.2a~mspgcc-20111205-3.1ubuntu1 commands: msp430-gdb,msp430-run name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: gdc,powerpc64le-linux-gnu-gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: gdc-4.8,powerpc64le-linux-gnu-gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: gdc-5,powerpc64le-linux-gnu-gdc-5 name: gdc-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gdc-5 name: gdc-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gdc-5 name: gdc-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: gdc-6,powerpc64le-linux-gnu-gdc-6 name: gdc-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gdc-6 name: gdc-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gdc-6 name: gdc-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: gdc-7,powerpc64le-linux-gnu-gdc-7 name: gdc-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gdc-7 name: gdc-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gdc-7 name: gdc-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: gdc-8,powerpc64le-linux-gnu-gdc-8 name: gdc-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gdc-8 name: gdc-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gdc-8 name: gdc-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gdc-8 name: gdc-i686-linux-gnu version: 4:8-20180321-2ubuntu2 commands: i686-linux-gnu-gdc name: gdc-powerpc-linux-gnu version: 4:8-20180321-2ubuntu2 commands: powerpc-linux-gnu-gdc name: gdc-x86-64-linux-gnu version: 4:8-20180321-2ubuntu2 commands: x86_64-linux-gnu-gdc name: gdc-x86-64-linux-gnux32 version: 4:8-20180321-2ubuntu1 commands: x86_64-linux-gnux32-gdc name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_loadtree,genwqe_maint,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: gfortran-4.8,powerpc64le-linux-gnu-gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: gfortran-5,powerpc64le-linux-gnu-gfortran-5 name: gfortran-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gfortran-5 name: gfortran-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-5 name: gfortran-5-x86-64-linux-gnux32 version: 5.5.0-12ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: gfortran-6,powerpc64le-linux-gnu-gfortran-6 name: gfortran-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gfortran-6 name: gfortran-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gfortran-6 name: gfortran-6-x86-64-linux-gnux32 version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnux32-gfortran-6 name: gfortran-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gfortran-7 name: gfortran-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gfortran-7 name: gfortran-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gfortran-7 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: gfortran-8,powerpc64le-linux-gnu-gfortran-8 name: gfortran-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gfortran-8 name: gfortran-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gfortran-8 name: gfortran-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gfortran-8 name: gfortran-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-gfortran name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfortran-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-gfortran name: gfortran-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-gfortran name: gfortran-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-gfortran name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: gle-graphics version: 4.2.5-7 commands: gle,manip,qgle name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5,powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-5,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-5,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-5,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-5,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-5,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-5,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-5,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-5,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-5,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-5,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-5,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-5,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-5 name: gnat-5-i686-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-5,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-5,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-5,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-5,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-5,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-5,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-5,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-5,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-5,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-5,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-5,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-5,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-5 name: gnat-5-powerpc-linux-gnu version: 5.5.0-12ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-5,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-5,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-5,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-5,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-5,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-5,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-5,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-5,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-5,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-5,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-5,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-5,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6,powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-6,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-6,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-6,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-6,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-6,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-6,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-6,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-6,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-6,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-6,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-6,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-6,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-6 name: gnat-6-i686-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-6,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-6,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-6,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-6,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-6,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-6,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-6,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-6,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-6,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-6,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-6,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-6,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-6 name: gnat-6-powerpc-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-6,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-6,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-6,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-6,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-6,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-6,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-6,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-6,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-6,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-6,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-6,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-6,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-6 name: gnat-6-x86-64-linux-gnu version: 6.4.0-17ubuntu1cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-6,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-6,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-6,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-6,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-6,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-6,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-6,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-6,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-6,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-6,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-6,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-6,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7,powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-7,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-7,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-7,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-7,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-7,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-7,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-7,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-7,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-7,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-7,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-7,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-7,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-7 name: gnat-7-i686-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-7,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-7,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-7,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-7,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-7,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-7,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-7,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-7,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-7,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-7,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-7,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-7,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-7 name: gnat-7-powerpc-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-7,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-7,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-7,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-7,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-7,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-7,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-7,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-7,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-7,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-7,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-7,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-7,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnu version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-7,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-7,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-7,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-7,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-7,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-7,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-7,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-7,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-7,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-7,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-7,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-7,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-7 name: gnat-7-x86-64-linux-gnux32 version: 7.3.0-16ubuntu3cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-7,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-7,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-7,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-7,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-7,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-7,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-7,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-7,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-7,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-7,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-7,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-7,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8,powerpc64le-linux-gnu-gnat,powerpc64le-linux-gnu-gnat-8,powerpc64le-linux-gnu-gnatbind,powerpc64le-linux-gnu-gnatbind-8,powerpc64le-linux-gnu-gnatchop,powerpc64le-linux-gnu-gnatchop-8,powerpc64le-linux-gnu-gnatclean,powerpc64le-linux-gnu-gnatclean-8,powerpc64le-linux-gnu-gnatfind,powerpc64le-linux-gnu-gnatfind-8,powerpc64le-linux-gnu-gnatgcc,powerpc64le-linux-gnu-gnathtml,powerpc64le-linux-gnu-gnathtml-8,powerpc64le-linux-gnu-gnatkr,powerpc64le-linux-gnu-gnatkr-8,powerpc64le-linux-gnu-gnatlink,powerpc64le-linux-gnu-gnatlink-8,powerpc64le-linux-gnu-gnatls,powerpc64le-linux-gnu-gnatls-8,powerpc64le-linux-gnu-gnatmake,powerpc64le-linux-gnu-gnatmake-8,powerpc64le-linux-gnu-gnatname,powerpc64le-linux-gnu-gnatname-8,powerpc64le-linux-gnu-gnatprep,powerpc64le-linux-gnu-gnatprep-8,powerpc64le-linux-gnu-gnatxref,powerpc64le-linux-gnu-gnatxref-8 name: gnat-8-i686-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: i686-linux-gnu-gnat,i686-linux-gnu-gnat-8,i686-linux-gnu-gnatbind,i686-linux-gnu-gnatbind-8,i686-linux-gnu-gnatchop,i686-linux-gnu-gnatchop-8,i686-linux-gnu-gnatclean,i686-linux-gnu-gnatclean-8,i686-linux-gnu-gnatfind,i686-linux-gnu-gnatfind-8,i686-linux-gnu-gnatgcc,i686-linux-gnu-gnathtml,i686-linux-gnu-gnathtml-8,i686-linux-gnu-gnatkr,i686-linux-gnu-gnatkr-8,i686-linux-gnu-gnatlink,i686-linux-gnu-gnatlink-8,i686-linux-gnu-gnatls,i686-linux-gnu-gnatls-8,i686-linux-gnu-gnatmake,i686-linux-gnu-gnatmake-8,i686-linux-gnu-gnatname,i686-linux-gnu-gnatname-8,i686-linux-gnu-gnatprep,i686-linux-gnu-gnatprep-8,i686-linux-gnu-gnatxref,i686-linux-gnu-gnatxref-8 name: gnat-8-powerpc-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: powerpc-linux-gnu-gnat,powerpc-linux-gnu-gnat-8,powerpc-linux-gnu-gnatbind,powerpc-linux-gnu-gnatbind-8,powerpc-linux-gnu-gnatchop,powerpc-linux-gnu-gnatchop-8,powerpc-linux-gnu-gnatclean,powerpc-linux-gnu-gnatclean-8,powerpc-linux-gnu-gnatfind,powerpc-linux-gnu-gnatfind-8,powerpc-linux-gnu-gnatgcc,powerpc-linux-gnu-gnathtml,powerpc-linux-gnu-gnathtml-8,powerpc-linux-gnu-gnatkr,powerpc-linux-gnu-gnatkr-8,powerpc-linux-gnu-gnatlink,powerpc-linux-gnu-gnatlink-8,powerpc-linux-gnu-gnatls,powerpc-linux-gnu-gnatls-8,powerpc-linux-gnu-gnatmake,powerpc-linux-gnu-gnatmake-8,powerpc-linux-gnu-gnatname,powerpc-linux-gnu-gnatname-8,powerpc-linux-gnu-gnatprep,powerpc-linux-gnu-gnatprep-8,powerpc-linux-gnu-gnatxref,powerpc-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnu version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnu-gnat,x86_64-linux-gnu-gnat-8,x86_64-linux-gnu-gnatbind,x86_64-linux-gnu-gnatbind-8,x86_64-linux-gnu-gnatchop,x86_64-linux-gnu-gnatchop-8,x86_64-linux-gnu-gnatclean,x86_64-linux-gnu-gnatclean-8,x86_64-linux-gnu-gnatfind,x86_64-linux-gnu-gnatfind-8,x86_64-linux-gnu-gnatgcc,x86_64-linux-gnu-gnathtml,x86_64-linux-gnu-gnathtml-8,x86_64-linux-gnu-gnatkr,x86_64-linux-gnu-gnatkr-8,x86_64-linux-gnu-gnatlink,x86_64-linux-gnu-gnatlink-8,x86_64-linux-gnu-gnatls,x86_64-linux-gnu-gnatls-8,x86_64-linux-gnu-gnatmake,x86_64-linux-gnu-gnatmake-8,x86_64-linux-gnu-gnatname,x86_64-linux-gnu-gnatname-8,x86_64-linux-gnu-gnatprep,x86_64-linux-gnu-gnatprep-8,x86_64-linux-gnu-gnatxref,x86_64-linux-gnu-gnatxref-8 name: gnat-8-x86-64-linux-gnux32 version: 8-20180414-1ubuntu2cross1 commands: x86_64-linux-gnux32-gnat,x86_64-linux-gnux32-gnat-8,x86_64-linux-gnux32-gnatbind,x86_64-linux-gnux32-gnatbind-8,x86_64-linux-gnux32-gnatchop,x86_64-linux-gnux32-gnatchop-8,x86_64-linux-gnux32-gnatclean,x86_64-linux-gnux32-gnatclean-8,x86_64-linux-gnux32-gnatfind,x86_64-linux-gnux32-gnatfind-8,x86_64-linux-gnux32-gnatgcc,x86_64-linux-gnux32-gnathtml,x86_64-linux-gnux32-gnathtml-8,x86_64-linux-gnux32-gnatkr,x86_64-linux-gnux32-gnatkr-8,x86_64-linux-gnux32-gnatlink,x86_64-linux-gnux32-gnatlink-8,x86_64-linux-gnux32-gnatls,x86_64-linux-gnux32-gnatls-8,x86_64-linux-gnux32-gnatmake,x86_64-linux-gnux32-gnatmake-8,x86_64-linux-gnux32-gnatname,x86_64-linux-gnux32-gnatname-8,x86_64-linux-gnux32-gnatprep,x86_64-linux-gnux32-gnatprep-8,x86_64-linux-gnux32-gnatxref,x86_64-linux-gnux32-gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnu-smalltalk version: 3.2.5-1.1 commands: gst,gst-convert,gst-doc,gst-load,gst-package,gst-profile,gst-reload,gst-remote,gst-sunit name: gnu-smalltalk-browser version: 3.2.5-1.1 commands: gst-browser name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gobgpd version: 1.29-1 commands: gobgp,gobgpd,gobmpd name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-easyjson version: 0.0~git20161103.0.159cdb8-1 commands: easyjson name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldencheetah version: 1:3.5~DEV1710-1.1build1 commands: GoldenCheetah name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-client version: 8.1.9+dfsg-7build1 commands: qacct,qalter,qconf,qdel,qhold,qhost,qlogin,qmake_sge,qmod,qping,qquota,qrdel,qresub,qrls,qrsh,qrstat,qrsub,qsched,qselect,qsh,qstat,qstatus,qsub,qtcsh name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridengine-exec version: 8.1.9+dfsg-7build1 commands: sge_coshepherd,sge_execd,sge_shepherd name: gridengine-master version: 8.1.9+dfsg-7build1 commands: sge_qmaster,sge_shadowd name: gridengine-qmon version: 8.1.9+dfsg-7build1 commands: qmon name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: health-check version: 0.02.09-1 commands: health-check name: heaptrack version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack,heaptrack_print name: heaptrack-gui version: 1.0.1~20180129.gita4534d5-1 commands: heaptrack_gui name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hinge version: 0.5.0-3 commands: hinge name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsail-tools version: 0~20170314-3 commands: HSAILasm name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hsc version: 1.0b-0ubuntu2 commands: hsc,hscdepp,hscpitt name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugepages version: 2.19-0ubuntu1 commands: cpupcstat,hugeadm,hugectl,hugeedit,pagesize name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i8c version: 0.0.6-1 commands: i8c,i8x name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iannix version: 0.9.20~dfsg0-2 commands: iannix name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibod version: 1.5.0-6build1 commands: ibod name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifrit version: 4.1.2-5build1 commands: ifrit name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: iiod version: 0.10-3 commands: iiod name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagevis3d version: 3.1.0-6 commands: imagevis3d,uvfconvert name: imagination version: 3.0-7build1 commands: imagination name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: influxdb version: 1.1.1+dfsg1-4 commands: influxd name: influxdb-client version: 1.1.1+dfsg1-4 commands: influx name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel2gas version: 1.3.3-17 commands: intel2gas name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ioping version: 1.0-2 commands: ioping name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: iraf version: 2.16.1+2018.03.10-2 commands: irafcl,sgidispatch name: iraf-dev version: 2.16.1+2018.03.10-2 commands: generic,mkpkg,xc,xyacc name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: ismrmrd-tools version: 1.3.3-1build2 commands: ismrmrd_generate_cartesian_shepp_logan,ismrmrd_info,ismrmrd_read_timing_test,ismrmrd_recon_cartesian_2d,ismrmrd_test_xml name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itksnap version: 3.6.0-2 commands: itksnap name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iva version: 1.0.9+ds-4ubuntu1 commands: iva,iva_qc,iva_qc_make_db name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish version: 2.2.8-3build1 commands: jellyfish name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dial,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kicad version: 4.0.7+dfsg1-1ubuntu2 commands: _cvpcb.kiface,_eeschema.kiface,_gerbview.kiface,_pcb_calculator.kiface,_pcbnew.kiface,_pl_editor.kiface,bitmap2component,dxf2idf,eeschema,gerbview,idf2vrml,idfcyl,idfrect,kicad,pcb_calculator,pcbnew,pl_editor name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kissplice version: 2.4.0-p1-2 commands: kissplice name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knot-resolver version: 2.1.1-1 commands: kresc,kresd name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:16.04.3-0ubuntu1 commands: fsview name: konqueror version: 4:16.04.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: krita version: 1:4.0.1+dfsg-0ubuntu1 commands: krita,kritarunner name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubrick version: 4:17.12.3-0ubuntu2 commands: kubrick name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvmtool version: 0.20170904-1 commands: lkvm name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldc version: 1:1.8.0-1 commands: ldc-build-runtime,ldc-profdata,ldc-prune-cache,ldc2,ldmd2 name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libfst-tools version: 1.6.3-2 commands: farcompilestrings,farcreate,farequal,farextract,farinfo,farisomorphic,farprintstrings,fstarcsort,fstclosure,fstcompile,fstcompose,fstcompress,fstconcat,fstconnect,fstconvert,fstdeterminize,fstdifference,fstdisambiguate,fstdraw,fstencode,fstepsnormalize,fstequal,fstequivalent,fstinfo,fstintersect,fstinvert,fstisomorphic,fstlinear,fstloglinearapply,fstmap,fstminimize,fstprint,fstproject,fstprune,fstpush,fstrandgen,fstrandmod,fstrelabel,fstreplace,fstreverse,fstreweight,fstrmepsilon,fstshortestdistance,fstshortestpath,fstsymbols,fstsynchronize,fsttopsort,fstunion,mpdtcompose,mpdtexpand,mpdtinfo,mpdtreverse,pdtcompose,pdtexpand,pdtinfo,pdtreplace,pdtreverse,pdtshortestpath name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgst-dev version: 3.2.5-1.1 commands: gst-config name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libndpi-bin version: 2.2-1 commands: ndpiReader name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libngram-tools version: 1.3.2-3 commands: ngramapply,ngramcontext,ngramcount,ngramhisttest,ngraminfo,ngrammake,ngrammarginalize,ngrammerge,ngramperplexity,ngramprint,ngramrandgen,ngramrandtest,ngramread,ngramshrink,ngramsort,ngramsplit,ngramsymbols,ngramtransfer name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: powerpc64le-linux-gnu-python3.7-dbg-config,powerpc64le-linux-gnu-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: powerpc64le-linux-gnu-python3.7-config,powerpc64le-linux-gnu-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librheolef-dev version: 6.7-6 commands: rheolef-config name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: librivet-dev version: 1.8.3-2build1 commands: rivet-config name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libsoqt-dev-common version: 1.6.0~e8310f-4 commands: soqt-config name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtk7-java version: 7.1.1+dfsg1-2 commands: vtkParseJava-7.1,vtkWrapJava-7.1 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luajit version: 2.1.0~beta3+dfsg-5.1 commands: luajit name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,diagraphica,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lpsxsim,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsgraph,ltsinfo,ltsview,mcrl2-gui,mcrl22lps,mcrl2compilerewriter,mcrl2i,mcrl2xi,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshlab version: 1.3.2+dfsg1-4 commands: meshlab,meshlabserver name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mixxx version: 2.0.0~dfsg-9 commands: mixxx name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlterm version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tiny version: 3.8.4-1build1 commands: mlterm,x-terminal-emulator name: mlterm-tools version: 3.8.4-1build1 commands: mlcc,mlclient name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mm3d version: 1.3.9+git20180220-1 commands: mm3d name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongodb-clients version: 1:3.6.3-0ubuntu1 commands: mongo,mongoperf name: mongodb-server-core version: 1:3.6.3-0ubuntu1 commands: mongod,mongos name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-boehm version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-boehm name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,pedump,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpqc3 version: 0.0~git20170114-4ubuntu1 commands: mpqc3 name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrs version: 6.0.5+dfsg-3ubuntu1 commands: mrs name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtail version: 3.0.0~rc5-1 commands: mtail name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mudlet version: 1:3.7.1-1 commands: mudlet name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutextrace version: 0.1.4-1build1 commands: mutextrace name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nageru version: 1.6.4-2build2 commands: kaeru,nageru name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nam version: 1.15-4 commands: nam name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-openmpi version: 3.7.2-7.4build2 commands: NPopenmpi,NPopenmpi2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neuron version: 7.5-1 commands: nrngui,nrniv,nrnoc name: neuron-dev version: 7.5-1 commands: nrnivmodl name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: nim version: 0.17.2-1ubuntu2 commands: nim,nimble,nimgrep,nimsuggest name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomad version: 0.4.0+dfsg-1 commands: nomad name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: notary version: 0.1~ds1-1 commands: notary,notary-server name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns2 version: 2.35+dfsg-2.1 commands: calcdest,dec-tr-stat,epa-tr-stat,nlanr-tr-stat,ns,nse,nstk,setdest,ucb-tr-stat name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numatop version: 1.0.4-8 commands: numatop name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwchem version: 6.6+r27746-4build1 commands: nwchem name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: octovis version: 1.8.1+dfsg-1 commands: octovis name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggvideotools version: 0.9.1-4 commands: mkThumbs,oggCat,oggCut,oggDump,oggJoin,oggLength,oggSilence,oggSlideshow,oggSplit,oggThumb,oggTranscode name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opal-utils version: 5.10~rc4-1ubuntu1 commands: getscom,getsram,opal-gard,pflash,putscom name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: opencity version: 0.0.6.5stable-3 commands: opencity name: openclonk version: 8.0-2 commands: c4group,openclonk name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,iv,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openjfx version: 8u161-b12-1ubuntu2 commands: javafxpackager,javapackager name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni-utils version: 1.5.4.0-14build1 commands: NiViewer,Sample-NiAudioSample,Sample-NiBackRecorder,Sample-NiCRead,Sample-NiConvertXToONI,Sample-NiHandTracker,Sample-NiRecordSynthetic,Sample-NiSimpleCreate,Sample-NiSimpleRead,Sample-NiSimpleSkeleton,Sample-NiSimpleViewer,Sample-NiUserSelection,Sample-NiUserTracker,niLicense,niReg name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgframerenderer,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovito version: 2.9.0+dfsg1-5ubuntu2 commands: ovito,ovitos name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: papi-tools version: 5.6.0-1 commands: papi_avail,papi_clockres,papi_command_line,papi_component_avail,papi_cost,papi_decode,papi_error_codes,papi_event_chooser,papi_mem_info,papi_multiplex_cost,papi_native_avail,papi_version,papi_xml_event_info name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parafly version: 0.0.2013.01.21-3build1 commands: ParaFly name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patat version: 0.5.2.2-2 commands: patat name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbbamtools version: 0.7.4+ds-1build2 commands: pbindex,pbindexdump,pbmerge name: pbbarcode version: 0.8.0-4ubuntu1 commands: pbbarcode name: pbdagcon version: 0.3+20161121+ds-1 commands: dazcon,pbdagcon name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_ground_based_rgbd_people_detector,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_image_grabber_saver,pcl_image_grabber_viewer,pcl_in_hand_scanner,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_manual_registration,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_modeler,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_ni_agast,pcl_ni_brisk,pcl_ni_linemod,pcl_ni_susan,pcl_ni_trajkovic,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_offline_integration,pcl_oni2pcd,pcl_oni_viewer,pcl_openni2_viewer,pcl_openni_3d_concave_hull,pcl_openni_3d_convex_hull,pcl_openni_boundary_estimation,pcl_openni_change_viewer,pcl_openni_face_detector,pcl_openni_fast_mesh,pcl_openni_feature_persistence,pcl_openni_grabber_depth_example,pcl_openni_grabber_example,pcl_openni_ii_normal_estimation,pcl_openni_image,pcl_openni_klt,pcl_openni_mls_smoothing,pcl_openni_mobile_server,pcl_openni_octree_compression,pcl_openni_organized_compression,pcl_openni_organized_edge_detection,pcl_openni_organized_multi_plane_segmentation,pcl_openni_passthrough,pcl_openni_pcd_recorder,pcl_openni_planar_convex_hull,pcl_openni_planar_segmentation,pcl_openni_save_image,pcl_openni_shift_to_depth_conversion,pcl_openni_tracking,pcl_openni_uniform_sampling,pcl_openni_viewer,pcl_openni_voxel_grid,pcl_organized_pcd_to_png,pcl_organized_segmentation_demo,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_grabber_viewer,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pcd_video_player,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_point_cloud_editor,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdbg version: 1.0-1ubuntu1 commands: pdbg name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perftest version: 4.1+0.2.g770623f-1 commands: ib_atomic_bw,ib_atomic_lat,ib_read_bw,ib_read_lat,ib_send_bw,ib_send_lat,ib_write_bw,ib_write_lat,raw_ethernet_burst_lat,raw_ethernet_bw,raw_ethernet_fs_rate,raw_ethernet_lat,run_perftest_loopback,run_perftest_multi_devices name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: pianobooster version: 0.6.7~svn156-1 commands: pianobooster name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picolisp version: 17.12+20180218-1 commands: picolisp,pil name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-config-i686-linux-gnu version: 4:7.3.0-3ubuntu2 commands: i686-linux-gnu-pkg-config name: pkg-config-powerpc-linux-gnu version: 4:7.3.0-3ubuntu2 commands: powerpc-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnu version: 4:7.3.0-3ubuntu2 commands: x86_64-linux-gnu-pkg-config name: pkg-config-x86-64-linux-gnux32 version: 4:7.3.0-3ubuntu1 commands: x86_64-linux-gnux32-pkg-config name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: pnetcdf-bin version: 1.9.0-2 commands: ncmpidiff,ncmpidump,ncmpigen,ncoffsets,ncvalidator,pnetcdf-config,pnetcdf_version name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: praat version: 6.0.37-2 commands: praat,praat-open-files,praat_nogui,sendpraat name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primer3 version: 2.4.0-1ubuntu2 commands: ntdpal,ntthal,oligotm,primer3_core name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: princeprocessor version: 0.21-3 commands: princeprocessor name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectm-jack version: 2.1.0+dfsg-4build1 commands: projectM-jack name: projectm-pulseaudio version: 2.1.0+dfsg-4build1 commands: projectM-pulseaudio name: prolix version: 0.03-1 commands: prolix name: prometheus version: 2.1.0+ds-1 commands: prometheus,promtool name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: pspg version: 0.9.3-1 commands: pspg name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purify version: 2.0.0-2 commands: purify name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-htseq version: 0.6.1p1-4build1 commands: htseq-count,htseq-qa name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-numba version: 0.34.0-3 commands: numba name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-woo version: 1.0+dfsg1-2 commands: woo,woo-batch name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-numba version: 0.34.0-3 commands: numba name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyraf version: 2.1.14+dfsg-6 commands: pyraf name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapPython-7.1,vtkWrapPythonInit-7.1 name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-woo version: 1.0+dfsg1-2 commands: woo-py3,woo-py3-batch name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qconf version: 2.4-3 commands: qt-qconf name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiime version: 1.8.0+dfsg-4ubuntu1 commands: qiime name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlandkartegt version: 1.8.1+ds-8build4 commands: cache2gtiff,map2gcm,map2jnx,map2rmap,map2rmp,qlandkartegt name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qstopmotion version: 2.3.2-1 commands: qstopmotion name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtiplot version: 0.9.8.9-17 commands: qtiplot name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racket version: 6.11+dfsg1-1 commands: drracket,gracket,gracket-text,mred,mred-text,mzc,mzpp,mzscheme,mztext,pdf-slatex,plt-games,plt-help,plt-r5rs,plt-r6rs,plt-web-server,racket,raco,scribble,setup-plt,slatex,slideshow,swindle name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: raincat version: 1.1.1.2-3 commands: raincat name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rcs-blame version: 1.3.1-4 commands: blame name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reapr version: 1.0.18+dfsg-3 commands: reapr name: rear version: 2.3+dfsg-1 commands: rear name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rheolef version: 6.7-6 commands: bamg,bamg2geo,branch,csr,field,geo,mkgeo_ball,mkgeo_grid,mkgeo_ugrid,msh2geo name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkt version: 1.29.0+dfsg-1 commands: rkt name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rna-star version: 2.5.4b+dfsg-1 commands: STAR name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsem version: 1.2.31+dfsg-1 commands: convert-sam-for-rsem,extract-transcript-to-gene-map-from-trinity,rsem-bam2readdepth,rsem-bam2wig,rsem-build-read-index,rsem-calculate-credibility-intervals,rsem-calculate-expression,rsem-control-fdr,rsem-extract-reference-transcripts,rsem-gen-transcript-plots,rsem-generate-data-matrix,rsem-generate-ngvector,rsem-get-unique,rsem-gff3-to-gtf,rsem-parse-alignments,rsem-plot-model,rsem-plot-transcript-wiggles,rsem-prepare-reference,rsem-preref,rsem-refseq-extract-primary-assembly,rsem-run-ebseq,rsem-run-em,rsem-run-gibbs,rsem-sam-validator,rsem-scan-for-paired-end-reads,rsem-simulate-reads,rsem-synthesis-reference-transcripts,rsem-tbam2gbam name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-ferret version: 0.11.8.6-2build3 commands: ferret-browser name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scm version: 5f2-2 commands: scm name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scolily version: 0.4.1-0ubuntu5 commands: scolily name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: sdrangelove version: 0.0.1.20150707-2build3 commands: sdrangelove name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,splazers,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sga version: 0.10.15-3 commands: sga,sga-align,sga-astat,sga-bam2de,sga-mergeDriver name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shelxle version: 1.0.888-1 commands: shelxle name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-aligner version: 1.0~beta.18+dfsg-2 commands: SNAPCommand,snap-aligner name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofa-apps version: 1.0~beta4-12 commands: sofa name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.qt,ssr-binaural,ssr-binaural.qt,ssr-brs,ssr-brs.qt,ssr-generic,ssr-generic.qt,ssr-nfc-hoa,ssr-nfc-hoa.qt,ssr-vbap,ssr-vbap.qt,ssr-wfs,ssr-wfs.qt name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundscaperenderer-nox version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.nox,ssr-binaural,ssr-binaural.nox,ssr-brs,ssr-brs.nox,ssr-generic,ssr-generic.nox,ssr-nfc-hoa,ssr-nfc-hoa.nox,ssr-vbap,ssr-vbap.nox,ssr-wfs,ssr-wfs.nox name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphde-utils version: 1.3.0-1 commands: sasutil name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: structure-synth version: 1.5.0-3 commands: structure-synth name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subread version: 1.6.0+dfsg-1 commands: exactSNP,featureCounts,subindel,subjunc,sublong,subread-align,subread-buildindex name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysbench version: 1.0.11+ds-1 commands: sysbench name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysprof version: 3.28.1-1 commands: sysprof,sysprof-cli name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapTcl-7.1,vtkWrapTclInit-7.1 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tclcl version: 1.20-8build1 commands: otcldoc,tcl2c++ name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tendermint version: 0.8.0+git20170113.0.764091d-2 commands: tendermint name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: tetzle version: 2.1.2+dfsg1-1 commands: tetzle name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg version: 1.8.0-3build1 commands: runThePEG,setupThePEG name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: tophat version: 2.1.1+dfsg1-1 commands: bam2fastx,bam_merge,bed_to_juncs,contig_to_chr_coords,fix_map_ordering,gtf_juncs,gtf_to_fasta,juncs_db,long_spanning_reads,map2gtf,prep_reads,sam_juncs,segment_juncs,sra_to_solid,tophat,tophat-fusion-post,tophat2,tophat_reports name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: trafficserver version: 7.1.2+ds-3 commands: traffic_cop,traffic_crashlog,traffic_ctl,traffic_layout,traffic_logcat,traffic_logstats,traffic_manager,traffic_server,traffic_top,traffic_via,traffic_wccp,tspush name: trafficserver-dev version: 7.1.2+ds-3 commands: tsxs name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: u3-tool version: 0.3-3 commands: u3-tool name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-help,uim-m17nlib-relink-icons,uim-module-manager,uim-sh,uim-toolbar name: uim-el version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-el-agent,uim-el-helper-agent name: uim-fep version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-fep,uim-fep-tick name: uim-gtk2.0 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk,uim-input-pad-ja,uim-pref-gtk,uim-toolbar,uim-toolbar-gtk,uim-toolbar-gtk-systray name: uim-gtk3 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-im-switcher-gtk3,uim-input-pad-ja-gtk3,uim-pref-gtk3,uim-toolbar,uim-toolbar-gtk3,uim-toolbar-gtk3-systray name: uim-qt5 version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-chardict-qt5,uim-im-switcher-qt5,uim-pref-qt5,uim-toolbar,uim-toolbar-qt5 name: uim-xim version: 1:1.8.6+gh20180114.64e3173-2build2 commands: uim-xim name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ushare version: 1.1a-0ubuntu10 commands: ushare name: ussp-push version: 0.11-4 commands: ussp-push name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-luajit version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_lua,uwsgi_luajit name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-v8 version: 2.0.15+10+0.0.3 commands: uwsgi,uwsgi_v8 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtualjaguar version: 2.1.3-2 commands: virtualjaguar name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: vish version: 0.0.20130812-1build1 commands: vish name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: vite version: 1.2+svn1430-6 commands: vite name: viva version: 1.2-1.1 commands: viva,vv_treemap name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtk7 version: 7.1.1+dfsg1-2 commands: vtk7,vtkEncodeString-7.1,vtkHashSource-7.1,vtkParseOGLExt-7.1,vtkWrapHierarchy-7.1 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wiredtiger version: 2.9.3+ds-1ubuntu2 commands: wt name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcas version: 1.2.3.57+dfsg1-2build3 commands: cas_help,en_cas_help,es_cas_help,fr_cas_help,giac,icas,pgiac,xcas name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xflr5 version: 6.09.06-2build2 commands: xflr5 name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xindy version: 2.5.1.20160104-4build1 commands: tex2xindy,texindy,xindy name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yade version: 2018.02b-1 commands: yade,yade-batch name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: yazc version: 0.3.6-1 commands: yazc name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-fuse version: 0.7.0-18build1 commands: zdb,zfs,zfs-fuse,zpool,zstreamdump name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic/universe/cnf/Commands-s390x0000664000000000000000000374602714202510314025111 0ustar suite: bionic component: universe arch: s390x name: 0install-core version: 2.12.3-1 commands: 0alias,0desktop,0install,0launch,0store,0store-secure-add name: 0xffff version: 0.7-2 commands: 0xFFFF name: 2048-qt version: 0.1.6-1build1 commands: 2048-qt name: 2ping version: 4.1-1 commands: 2ping,2ping6 name: 2to3 version: 3.6.5-3 commands: 2to3 name: 2vcard version: 0.6-1 commands: 2vcard name: 3270-common version: 3.6ga4-3 commands: x3270if name: 389-admin version: 1.1.46-2 commands: ds_removal,ds_unregister,migrate-ds-admin,register-ds-admin,remove-ds-admin,restart-ds-admin,setup-ds-admin,start-ds-admin,stop-ds-admin name: 389-console version: 1.1.18-2 commands: 389-console name: 389-ds-base version: 1.3.7.10-1ubuntu1 commands: bak2db,bak2db-online,cl-dump,cleanallruv,db2bak,db2bak-online,db2index,db2index-online,db2ldif,db2ldif-online,dbgen,dbmon.sh,dbscan,dbverify,dn2rdn,ds-logpipe,ds-replcheck,ds_selinux_enabled,ds_selinux_port_query,ds_systemd_ask_password_acl,dsconf,dscreate,dsctl,dsidm,dsktune,fixup-linkedattrs,fixup-memberof,infadd,ldap-agent,ldclt,ldif,ldif2db,ldif2db-online,ldif2ldap,logconv,migrate-ds,migratecred,mmldif,monitor,ns-accountstatus,ns-activate,ns-inactivate,ns-newpwpolicy,ns-slapd,pwdhash,readnsstate,remove-ds,repl-monitor,restart-dirsrv,restoreconfig,rsearch,saveconfig,schema-reload,setup-ds,start-dirsrv,status-dirsrv,stop-dirsrv,suffix2instance,syntax-validate,upgradedb,upgradednformat,usn-tombstone-cleanup,verify-db,vlvindex name: 389-dsgw version: 1.1.11-2build5 commands: setup-ds-dsgw name: 3dchess version: 0.8.1-20 commands: 3Dc name: 3depict version: 0.0.19-1build1 commands: 3depict name: 3dldf version: 2.0.3+dfsg-7 commands: 3dldf name: 4digits version: 1.1.4-1build1 commands: 4digits,4digits-text name: 4g8 version: 1.0-3.2 commands: 4g8 name: 4pane version: 5.0-1 commands: 4Pane,4pane name: 4store version: 1.1.6+20151109-2build1 commands: 4s-admin,4s-backend,4s-backend-copy,4s-backend-destroy,4s-backend-info,4s-backend-passwd,4s-backend-setup,4s-boss,4s-cluster-copy,4s-cluster-create,4s-cluster-destroy,4s-cluster-file-backup,4s-cluster-info,4s-cluster-start,4s-cluster-stop,4s-delete-model,4s-dump,4s-file-backup,4s-httpd,4s-import,4s-info,4s-query,4s-restore,4s-size,4s-ssh-all,4s-ssh-all-parallel,4s-update name: 4ti2 version: 1.6.7+ds-2build2 commands: 4ti2-circuits,4ti2-genmodel,4ti2-gensymm,4ti2-graver,4ti2-groebner,4ti2-hilbert,4ti2-markov,4ti2-minimize,4ti2-normalform,4ti2-output,4ti2-ppi,4ti2-qsolve,4ti2-rays,4ti2-walk,4ti2-zbasis,4ti2-zsolve name: 6tunnel version: 1:0.12-1 commands: 6tunnel name: 9menu version: 1.9-1build1 commands: 9menu name: 9mount version: 1.3-10build1 commands: 9bind,9mount,9umount name: 9wm version: 1.4.0-1 commands: 9wm,x-window-manager name: a11y-profile-manager version: 0.1.11-0ubuntu4 commands: a11y-profile-manager name: a11y-profile-manager-indicator version: 0.1.11-0ubuntu4 commands: a11y-profile-manager-indicator name: a2jmidid version: 8~dfsg0-3 commands: a2j,a2j_control,a2jmidi_bridge,a2jmidid,j2amidi_bridge name: a2ps version: 1:4.14-3 commands: a2ps,a2ps-lpr-wrapper,card,composeglyphs,fixnt,fixps,ogonkify,pdiff,psmandup,psset,texi2dvi4a2ps name: a56 version: 1.3+dfsg-9 commands: a56,a56-keybld,a56-tobin,a56-toomf,bin2h name: aa3d version: 1.0-8build1 commands: aa3d name: aajm version: 0.4-9 commands: aajm name: aaphoto version: 0.45-1 commands: aaphoto name: abacas version: 1.3.1-4 commands: abacas name: abcde version: 2.8.1-1 commands: abcde,abcde-musicbrainz-tool,cddb-tool name: abci version: 0.0~git20170124.0.f94ae5e-2 commands: abci-cli name: abcm2ps version: 7.8.9-1build1 commands: abcm2ps name: abcmidi version: 20180222-1 commands: abc2abc,abc2midi,abcmatch,mftext,midi2abc,midicopy,yaps name: abe version: 1.1+dfsg-2 commands: abe name: abi-compliance-checker version: 2.2-2ubuntu1 commands: abi-compliance-checker name: abi-dumper version: 1.1-1 commands: abi-dumper name: abi-monitor version: 1.10-1 commands: abi-monitor name: abi-tracker version: 1.9-1 commands: abi-tracker name: abicheck version: 1.2-5ubuntu1 commands: abicheck name: abigail-tools version: 1.2-1 commands: abicompat,abidiff,abidw,abilint,abipkgdiff,kmidiff name: abinit version: 8.0.8-4 commands: abinit,aim,anaddb,band2eps,bsepostproc,conducti,cut3d,fftprof,fold2Bloch,ioprof,lapackprof,macroave,mrgddb,mrgdv,mrggkk,mrgscr,optic,ujdet,vdw_kernelgen name: abiword version: 3.0.2-6 commands: abiword name: ableton-link-utils version: 1.0.0+dfsg-2 commands: LinkHut name: ableton-link-utils-gui version: 1.0.0+dfsg-2 commands: QLinkHut,QLinkHutSilent name: abook version: 0.6.1-1build2 commands: abook name: abootimg version: 0.6-1build1 commands: abootimg,abootimg-pack-initrd,abootimg-unpack-initrd name: abr2gbr version: 1:1.0.2-2ubuntu2 commands: abr2gbr name: abw2epub version: 0.9.6-1 commands: abw2epub name: abw2odt version: 0.9.6-1 commands: abw2odt name: abx version: 0.0~b1-1build1 commands: abx name: accerciser version: 3.22.0-5 commands: accerciser name: ace version: 0.0.5-2 commands: ace name: ace-gperf version: 6.4.5+dfsg-1build2 commands: ace_gperf name: ace-netsvcs version: 6.4.5+dfsg-1build2 commands: ace_netsvcs name: ace-of-penguins version: 1.5~rc2-1build1 commands: ace-canfield,ace-freecell,ace-golf,ace-mastermind,ace-merlin,ace-minesweeper,ace-pegged,ace-solitaire,ace-spider,ace-taipedit,ace-taipei,ace-thornq name: acedb-other version: 4.9.39+dfsg.02-3 commands: efetch name: aces3 version: 3.0.8-5.1build2 commands: sial,xaces3 name: acetoneiso version: 2.4-3 commands: acetoneiso name: acfax version: 981011-17build1 commands: acfax name: acheck version: 0.5.5 commands: acheck name: achilles version: 2-9 commands: achilles name: acidrip version: 0.14-0.2ubuntu8 commands: acidrip name: ack version: 2.22-1 commands: ack name: acl2 version: 8.0dfsg-1 commands: acl2 name: aclock.app version: 0.4.0-1build4 commands: AClock name: acm version: 5.0-29.1ubuntu1 commands: acm name: acme-tiny version: 20171115-1 commands: acme-tiny name: acmetool version: 0.0.62-2 commands: acmetool name: aconnectgui version: 0.9.0rc2-1-10 commands: aconnectgui name: acorn-fdisk version: 3.0.6-9 commands: acorn-fdisk name: acoustid-fingerprinter version: 0.6-6 commands: acoustid-fingerprinter name: acpica-tools version: 20180105-1 commands: acpibin,acpidump-acpica,acpiexec,acpihelp,acpinames,acpisrc,acpixtract-acpica,iasl name: acpitool version: 0.5.1-4build1 commands: acpitool name: acr version: 1.2-1 commands: acr,acr-cat,acr-install,acr-sh,amr name: actiona version: 3.9.2-1build2 commands: actexec,actiona name: activemq version: 5.15.3-2 commands: activemq name: activity-log-manager version: 0.9.7-0ubuntu26 commands: activity-log-manager name: adabrowse version: 4.0.3-8 commands: adabrowse name: adacontrol version: 1.19r10-2 commands: adactl,adactl_fix,pfni,ptree name: adanaxisgpl version: 1.2.5.dfsg.1-6 commands: adanaxisgpl name: adapt version: 1.5-0ubuntu1 commands: adapt name: adapterremoval version: 2.2.2-1 commands: AdapterRemoval name: adcli version: 0.8.2-1 commands: adcli name: add-apt-key version: 1.0-0.5 commands: add-apt-key name: addresses-goodies-for-gnustep version: 0.4.8-3 commands: addresstool,adgnumailconverter,adserver name: addressmanager.app version: 0.4.8-3 commands: AddressManager name: adequate version: 0.15.1ubuntu5 commands: adequate name: adjtimex version: 1.29-9 commands: adjtimex,adjtimexconfig name: adlint version: 3.2.14-2 commands: adlint,adlint_chk,adlint_cma,adlint_sma,adlintize name: admesh version: 0.98.3-2 commands: admesh name: adns-tools version: 1.5.0~rc1-1.1ubuntu1 commands: adnsheloex,adnshost,adnslogres,adnsresfilter name: adonthell version: 0.3.7-1 commands: adonthell name: adonthell-data version: 0.3.7-1 commands: adonthell-wastesedge name: adplay version: 1.7-4 commands: adplay name: adplug-utils version: 2.2.1+dfsg3-0.4 commands: adplugdb name: adun-core version: 0.81-11build1 commands: AdunCore,AdunServer name: adun.app version: 0.81-11build1 commands: UL name: advi version: 1.10.2-3build1 commands: advi name: aegean version: 0.15.2+dfsg-1 commands: canon-gff3,gaeval,locuspocus,parseval,pmrna,tidygff3,xtractore name: aeolus version: 0.9.5-1 commands: aeolus name: aes2501-wy version: 0.1-5ubuntu2 commands: aes2501 name: aesfix version: 1.0.1-5 commands: aesfix name: aeskeyfind version: 1:1.0-4 commands: aeskeyfind name: aeskulap version: 0.2.2b1+git20161206-4 commands: aeskulap name: aeson-pretty version: 0.8.5-1build3 commands: aeson-pretty name: aespipe version: 2.4d-1 commands: aespipe name: aevol version: 5.0-1 commands: aevol_create,aevol_misc_ancestor_robustness,aevol_misc_ancestor_stats,aevol_misc_create_eps,aevol_misc_extract,aevol_misc_lineage,aevol_misc_mutagenesis,aevol_misc_robustness,aevol_misc_view,aevol_modify,aevol_propagate,aevol_run name: aewan version: 1.0.01-4.1 commands: aecat,aemakeflic,aewan name: aewm version: 1.3.12-3 commands: aedesk,aemenu,aepanel,aesession,aewm,x-window-manager name: aewm++ version: 1.1.2-5.1 commands: aewm++,x-window-manager name: aewm++-goodies version: 1.0-10 commands: aewm++_appbar,aewm++_fspanel,aewm++_setrootimage,aewm++_xsession name: afew version: 1.3.0-1 commands: afew name: affiche.app version: 0.6.0-9build1 commands: Affiche name: afflib-tools version: 3.7.16-2build2 commands: affcat,affcompare,affconvert,affcopy,affcrypto,affdiskprint,affinfo,affix,affrecover,affsegment,affsign,affstats,affuse,affverify,affxml name: afl version: 2.52b-2 commands: afl-analyze,afl-cmin,afl-fuzz,afl-gotcpu,afl-plot,afl-showmap,afl-tmin,afl-whatsup name: afl-clang version: 2.52b-2 commands: afl-clang-fast,afl-clang-fast++ name: afl-cov version: 0.6.1-2 commands: afl-cov name: afnix version: 2.8.1-1 commands: axc,axd,axi,axl name: aft version: 2:5.098-3 commands: aft name: aften version: 0.0.8+git20100105-0ubuntu3 commands: aften,wavfilter,wavrms name: afterstep version: 2.2.12-11.1 commands: ASFileBrowser,ASMount,ASRun,ASWallpaper,Animate,Arrange,Banner,GWCommand,Ident,MonitorWharf,Pager,Wharf,WinCommand,WinList,WinTabs,afterstep,afterstepdoc,ascolor,ascommand,ascompose,installastheme,makeastheme,x-window-manager name: afuse version: 0.4.1-1build1 commands: afuse,afuse-avahissh name: agda-bin version: 2.5.3-3build1 commands: agda name: agedu version: 9723-1build1 commands: agedu name: agenda.app version: 0.44-1build1 commands: SimpleAgenda name: agent-transfer version: 0.41-1ubuntu1 commands: agent-transfer name: aggregate version: 1.6-7build1 commands: aggregate,aggregate-ios name: aghermann version: 1.1.2-1build1 commands: agh-profile-gen,aghermann,edfcat,edfhed,edfhed-gtk name: agtl version: 0.8.0.3-1.1ubuntu1 commands: agtl name: aha version: 0.4.10.6-4 commands: aha name: ahcpd version: 0.53-2build1 commands: ahcpd name: aide-dynamic version: 0.16-3 commands: aide name: aide-xen version: 0.16-3 commands: aide name: aiksaurus version: 1.2.1+dev-0.12-6.3 commands: aiksaurus,caiksaurus name: air-quality-sensor version: 0.1.4.2-1 commands: air-quality-sensor name: aircrack-ng version: 1:1.2-0~rc4-4 commands: airbase-ng,aircrack-ng,airdecap-ng,airdecloak-ng,aireplay-ng,airmon-ng,airodump-ng,airodump-ng-oui-update,airolib-ng,airserv-ng,airtun-ng,besside-ng,besside-ng-crawler,buddy-ng,easside-ng,ivstools,kstats,makeivs-ng,packetforge-ng,tkiptun-ng,wesside-ng,wpaclean name: airgraph-ng version: 1:1.2-0~rc4-4 commands: airgraph-ng,airodump-join name: airport-utils version: 2-6 commands: airport-config,airport-hostmon,airport-linkmon,airport-modem,airport2-config,airport2-ipinspector,airport2-portinspector name: airspy version: 1.0.9-3 commands: airspy_gpio,airspy_gpiodir,airspy_info,airspy_lib_version,airspy_r820t,airspy_rx,airspy_si5351c,airspy_spiflash name: airstrike version: 0.99+1.0pre6a-8 commands: airstrike name: aj-snapshot version: 0.9.6-3 commands: aj-snapshot name: ajaxterm version: 0.10-13 commands: ajaxterm name: akonadi-backend-mysql version: 4:17.12.3-0ubuntu3 commands: mysqld-akonadi name: akonadi-server version: 4:17.12.3-0ubuntu3 commands: akonadi_agent_launcher,akonadi_agent_server,akonadi_control,akonadi_rds,akonadictl,akonadiserver,asapcat name: alac-decoder version: 0.2.0-0ubuntu2 commands: alac-decoder name: alacarte version: 3.11.91-3 commands: alacarte name: aladin version: 10.076+dfsg-1 commands: aladin name: alarm-clock-applet version: 0.3.4-1build1 commands: alarm-clock-applet name: aldo version: 0.7.7-1build1 commands: aldo name: ale version: 0.9.0.3-3 commands: ale,ale-bin name: alevt version: 1:1.6.2-5.1build1 commands: alevt,alevt-cap,alevt-date name: alevtd version: 3.103-4build1 commands: alevtd name: alex version: 3.2.3-1 commands: alex name: alex4 version: 1.1-7 commands: alex4 name: alfa version: 1.0-2build2 commands: alfa name: alfred version: 2016.1-1build1 commands: alfred,alfred-gpsd,batadv-vis name: algol68g version: 2.8-2build1 commands: a68g name: algotutor version: 0.8.6-2 commands: algotutor name: alice version: 0.19-1 commands: alice name: alien version: 8.95 commands: alien name: alien-hunter version: 1.7-6 commands: alien_hunter name: alienblaster version: 1.1.0-9 commands: alienblaster,alienblaster.bin name: aliki version: 0.3.0-3 commands: aliki,aliki-rt name: all-knowing-dns version: 1.7-1 commands: all-knowing-dns name: alliance version: 5.1.1-1.1build1 commands: a2def,a2lef,alcbanner,alliance-genpat,alliance-ocp,asimut,attila,b2f,boog,boom,cougar,def2a,dreal,druc,exp,flatbeh,flatlo,flatph,flatrds,fmi,fsp,genlib,graal,k2f,l2p,loon,lvx,m2e,mips_asm,moka,nero,pat2spi,pdv,proof,ring,s2r,scapin,sea,seplace,seroute,sxlib2lef,syf,vasy,x2y,xfsm,xgra,xpat,xsch,xvpn name: alljoyn-daemon-1504 version: 15.04b+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1509 version: 15.09a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-daemon-1604 version: 16.04a+dfsg.1-2 commands: alljoyn-daemon name: alljoyn-gateway-1504 version: 15.04~git20160606-4 commands: alljoyn-gwagent name: alljoyn-services-1504 version: 15.04-8 commands: ACServerSample,ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,ServerSample,TestService,TimeClient,TimeServer,onboarding-daemon name: alljoyn-services-1509 version: 15.09-6 commands: ConfigClient,ConfigService,ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,OnboardingClient,ProducerBasic,ProducerService,TestService,onboarding-daemon name: alljoyn-services-1604 version: 16.04-4ubuntu1 commands: ConsumerService,ControlPanelController,ControlPanelProducer,ControlPanelSample,ProducerBasic,ProducerService,TestService name: alltray version: 0.71b-1.1 commands: alltray name: allure version: 0.5.0.0-1 commands: Allure name: almanah version: 0.11.1-2 commands: almanah name: alot version: 0.6-2.1 commands: alot name: alpine version: 2.21+dfsg1-1build1 commands: alpine,alpinef,rpdump,rpload name: alpine-pico version: 2.21+dfsg1-1build1 commands: pico,pico.alpine name: alsa-oss version: 1.0.28-1ubuntu1 commands: aoss name: alsa-tools version: 1.1.3-1 commands: as10k1,hda-verb,hdajacksensetest,sbiload,us428control name: alsa-tools-gui version: 1.1.3-1 commands: echomixer,envy24control,hdajackretask,hdspconf,hdspmixer,rmedigicontrol name: alsamixergui version: 0.9.0rc2-1-10 commands: alsamixergui name: alsaplayer-common version: 0.99.81-2 commands: alsaplayer name: alsoft-conf version: 1.4.3-2 commands: alsoft-conf name: alt-ergo version: 1.30+dfsg1-1 commands: alt-ergo,altgr-ergo name: alt-key version: 2.2.6-1 commands: alt-key name: alter-sequence-alignment version: 1.3.3+dfsg-1 commands: alter-sequence-alignment name: altermime version: 0.3.10-9 commands: altermime name: altos version: 1.8.4-1 commands: altosui,ao-bitbang,ao-cal-accel,ao-cal-freq,ao-chaosread,ao-dbg,ao-dump-up,ao-dumpflash,ao-edit-telem,ao-eeprom,ao-ejection,ao-elftohex,ao-flash-lpc,ao-flash-stm,ao-flash-stm32f0x,ao-list,ao-load,ao-makebin,ao-rawload,ao-send-telem,ao-sky-flash,ao-telem,ao-test-baro,ao-test-flash,ao-test-gps,ao-test-igniter,ao-usbload,ao-usbtrng,micropeak,telegps name: altree version: 1.3.1-5 commands: altree,altree-add-S,altree-convert name: alttab version: 1.1.0-1 commands: alttab name: alure-utils version: 1.2-6build1 commands: alurecdplay,alureplay,alurestream name: am-utils version: 6.2+rc20110530-3.2ubuntu2 commands: amd,amd-fsinfo,amq,amq-check-wrap,fixmount,hlfsd,mk-amd-map,pawd,sun2amd,wire-test name: amanda-client version: 1:3.5.1-1build2 commands: amfetchdump,amoldrecover,amrecover,amrestore name: amanda-common version: 1:3.5.1-1build2 commands: amaddclient,amaespipe,amarchiver,amcrypt,amcrypt-ossl,amcrypt-ossl-asym,amcryptsimple,amdevcheck,amdump_client,amgpgcrypt,amserverconfig,amservice,amvault name: amanda-server version: 1:3.5.1-1build2 commands: activate-devpay,amadmin,amanda-rest-server,ambackup,amcheck,amcheckdb,amcheckdump,amcleanup,amcleanupdisk,amdump,amflush,amgetconf,amlabel,amoverview,amplot,amreindex,amreport,amrmtape,amssl,amstatus,amtape,amtapetype,amtoc name: amap-align version: 2.2-6 commands: amap name: amarok version: 2:2.9.0-0ubuntu2 commands: amarok,amarokpkg,amzdownloader name: amarok-utils version: 2:2.9.0-0ubuntu2 commands: amarok_afttagger,amarokcollectionscanner name: amavisd-milter version: 1.5.0-5 commands: amavisd-milter name: ambdec version: 0.5.1-5 commands: ambdec,ambdec_cli name: amber version: 0.0~git20171010.cdade1c-1 commands: amberc name: amide version: 1.0.5-10 commands: amide name: amideco version: 0.31e-3.1build1 commands: amideco name: amiga-fdisk-cross version: 0.04-15build1 commands: amiga-fdisk name: amispammer version: 3.3-2 commands: amispammer name: amoebax version: 0.2.1+dfsg-3 commands: amoebax name: amora-applet version: 1.2~svn+git2015.04.25-1build1 commands: amorad-gui name: amora-cli version: 1.2~svn+git2015.04.25-1build1 commands: amorad name: amphetamine version: 0.8.10-19 commands: amph,amphetamine name: ample version: 0.5.7-8 commands: ample name: ampliconnoise version: 1.29-7 commands: FCluster,FastaUnique,NDist,Perseus,PerseusD,PyroDist,PyroNoise,PyroNoiseA,PyroNoiseM,SeqDist,SeqNoise,SplitClusterClust,SplitClusterEven name: ampr-ripd version: 2.3-1 commands: ampr-ripd name: amqp-tools version: 0.8.0-1build1 commands: amqp-consume,amqp-declare-queue,amqp-delete-queue,amqp-get,amqp-publish name: ams version: 2.1.1-1.1 commands: ams name: amsynth version: 1.6.4-1 commands: amsynth name: amtterm version: 1.4-2 commands: amtterm,amttool name: amule version: 1:2.3.2-2 commands: amule name: amule-daemon version: 1:2.3.2-2 commands: amuled,amuleweb name: amule-emc version: 0.5.2-3build1 commands: amule-emc name: amule-utils version: 1:2.3.2-2 commands: alcc,amulecmd,cas,ed2k name: amule-utils-gui version: 1:2.3.2-2 commands: alc,amulegui,wxcas name: an version: 1.2-2 commands: an name: anagramarama version: 0.3-0ubuntu6 commands: anagramarama name: analog version: 2:6.0-22 commands: analog name: anc-api-tools version: 2010.12.30.1-0ubuntu1 commands: anc-cmd,anc-cmd-wrapper,anc-describe-image,anc-describe-instance,anc-describe-plan,anc-list-instances,anc-reboot-instance,anc-run-instance,anc-terminate-instance name: and version: 1.2.2-4.1build1 commands: and name: andi version: 0.12-3 commands: andi name: android-androresolvd version: 1.3-1build1 commands: androresolvd name: android-logtags-tools version: 1:7.0.0+r33-1 commands: java-event-log-tags,merge-event-log-tags name: android-platform-tools-base version: 2.2.2-3 commands: draw9patch,screenshot2 name: androidsdk-ddms version: 22.2+git20130830~92d25d6-4 commands: ddms name: androidsdk-hierarchyviewer version: 22.2+git20130830~92d25d6-4 commands: hierarchyviewer name: androidsdk-traceview version: 22.2+git20130830~92d25d6-4 commands: traceview name: androidsdk-uiautomatorviewer version: 22.2+git20130830~92d25d6-4 commands: uiautomatorviewer name: anfo version: 0.98-6 commands: anfo,anfo-tool,dnaindex,fa2dna name: angband version: 1:3.5.1-2.2 commands: angband name: angrydd version: 1.0.1-11 commands: angrydd name: animals version: 201207131226-2.1 commands: animals name: anjuta version: 2:3.28.0-1 commands: anjuta,anjuta-launcher,anjuta-tags name: anki version: 2.1.0+dfsg~b36-1 commands: anki name: ann-tools version: 1.1.2+doc-6 commands: ann2fig,ann_sample,ann_test name: anomaly version: 1.1.0-3build1 commands: anomaly name: anope version: 2.0.4-2 commands: anope name: ansible version: 2.5.1+dfsg-1 commands: ansible,ansible-config,ansible-connection,ansible-console,ansible-doc,ansible-galaxy,ansible-inventory,ansible-playbook,ansible-pull,ansible-vault name: ansible-lint version: 3.4.20+git.20180203-1 commands: ansible-lint name: ansible-tower-cli version: 3.2.0-2 commands: tower-cli name: ansiweather version: 1.11-1 commands: ansiweather name: ant version: 1.10.3-1 commands: ant name: antennavis version: 0.3.1-4build1 commands: TkAnt,antennavis name: anthy version: 1:0.3-6ubuntu1 commands: anthy-agent,anthy-dic-tool name: antigravitaattori version: 0.0.3-7 commands: antigrav name: antiword version: 0.37-11build1 commands: antiword,kantiword name: antlr version: 2.7.7+dfsg-9.2 commands: runantlr name: antlr3 version: 3.5.2-9 commands: antlr3 name: antlr3.2 version: 3.2-16 commands: antlr3.2 name: antlr4 version: 4.5.3-2 commands: antlr4 name: antpm version: 1.19-4build1 commands: antpm-downloader,antpm-fit2gpx,antpm-garmin-ant-downloader,antpm-usbmon2ant name: ants version: 2.2.0-1ubuntu1 commands: ANTS,ANTSIntegrateVectorField,ANTSIntegrateVelocityField,ANTSJacobian,ANTSUseDeformationFieldToGetAffineTransform,ANTSUseLandmarkImagesToGetAffineTransform,ANTSUseLandmarkImagesToGetBSplineDisplacementField,Atropos,LaplacianThickness,WarpImageMultiTransform,WarpTimeSeriesImageMultiTransform,antsAI,antsAffineInitializer,antsAlignOrigin,antsApplyTransforms,antsApplyTransformsToPoints,antsJointFusion,antsJointTensorFusion,antsLandmarkBasedTransformInitializer,antsMotionCorr,antsMotionCorrDiffusionDirection,antsMotionCorrStats,antsRegistration,antsSliceRegularizedRegistration,antsTransformInfo,antsUtilitiesTesting,jointfusion name: anypaper version: 2.4-2build1 commands: anypaper name: anyremote version: 6.7.1-1 commands: anyremote name: anytun version: 0.3.6-1ubuntu1 commands: anytun,anytun-config,anytun-controld,anytun-showtables name: aoetools version: 36-2 commands: aoe-discover,aoe-flush,aoe-interfaces,aoe-mkdevs,aoe-mkshelf,aoe-revalidate,aoe-sancheck,aoe-stat,aoe-version,aoecfg,aoeping,coraid-update name: aoeui version: 1.7+20160302.git4e5dee9-1 commands: aoeui,asdfg name: aoflagger version: 2.10.0-2 commands: aoflagger,aoqplot,aoquality,aoremoteclient,rfigui name: aolserver4-daemon version: 4.5.1-18.1 commands: aolserver4-nsd,nstclsh name: aosd-cat version: 0.2.7-1.1ubuntu2 commands: aosd_cat name: ap-utils version: 1.5-3 commands: ap-auth,ap-config,ap-gl,ap-mrtg,ap-rrd,ap-tftp,ap-trapd name: apachedex version: 1.6.2-1 commands: apachedex,apachedex-parallel-parse name: apachetop version: 0.12.6-18build2 commands: apachetop name: apbs version: 1.4-1build1 commands: apbs name: apcalc version: 2.12.5.0-1build1 commands: calc name: apcupsd version: 3.14.14-2 commands: apcaccess,apctest,apcupsd name: apertium version: 3.4.2~r68466-4 commands: apertium,apertium-deshtml,apertium-deslatex,apertium-desmediawiki,apertium-desodt,apertium-despptx,apertium-desrtf,apertium-destxt,apertium-deswxml,apertium-desxlsx,apertium-desxpresstag,apertium-interchunk,apertium-multiple-translations,apertium-postchunk,apertium-postlatex,apertium-postlatex-raw,apertium-prelatex,apertium-preprocess-transfer,apertium-pretransfer,apertium-rehtml,apertium-rehtml-noent,apertium-relatex,apertium-remediawiki,apertium-reodt,apertium-repptx,apertium-rertf,apertium-retxt,apertium-rewxml,apertium-rexlsx,apertium-rexpresstag,apertium-tagger,apertium-tmxbuild,apertium-transfer,apertium-unformat,apertium-utils-fixlatex name: apertium-dev version: 3.4.2~r68466-4 commands: apertium-filter-ambiguity,apertium-gen-deformat,apertium-gen-modes,apertium-gen-reformat,apertium-tagger-apply-new-rules,apertium-tagger-readwords,apertium-validate-acx,apertium-validate-dictionary,apertium-validate-interchunk,apertium-validate-modes,apertium-validate-postchunk,apertium-validate-tagger,apertium-validate-transfer name: apertium-lex-tools version: 0.1.1~r66150-1 commands: lrx-comp,lrx-proc,multitrans name: apf-firewall version: 9.7+rev1-5.1 commands: apf name: apgdiff version: 2.5.0~alpha.2-75-gcaaaed9-1 commands: apgdiff name: api-sanity-checker version: 1.98.7-2 commands: api-sanity-checker name: apitrace version: 7.1+git20170623.d38a69d6+repack-3build1 commands: apitrace,eglretrace,glretrace name: apitrace-gui version: 7.1+git20170623.d38a69d6+repack-3build1 commands: qapitrace name: apksigner version: 0.8-1 commands: apksigner name: apktool version: 2.3.1+dfsg-1 commands: apktool name: aplus-fsf version: 4.22.1-10 commands: a+ name: apmd version: 3.2.2-15build1 commands: apm,apmd,apmsleep name: apng2gif version: 1.7-1 commands: apng2gif name: apngasm version: 2.7-2 commands: apngasm name: apngdis version: 2.5-2 commands: apngdis name: apngopt version: 1.2-2 commands: apngopt name: apoo version: 2.2-4 commands: apoo,exec-apoo name: apophenia-bin version: 1.0+ds-7build1 commands: apop_db_to_crosstab,apop_plot_query,apop_text_to_db name: apparix version: 07-261-1build1 commands: apparix name: apparmor-easyprof version: 2.12-4ubuntu5 commands: aa-easyprof name: appc-spec version: 0.8.9+dfsg2-2 commands: actool name: apper version: 1.0.0-1 commands: apper name: apport-valgrind version: 2.20.9-0ubuntu7 commands: apport-valgrind name: apprecommender version: 0.7.5-2 commands: apprec,apprec-apt name: approx version: 5.10-1 commands: approx,approx-import name: appstream-util version: 0.7.7-2 commands: appstream-compose,appstream-util name: aprsdigi version: 3.10.0-2build1 commands: aprsdigi,aprsmon name: aprx version: 2.9.0+dfsg-1 commands: aprx,aprx-stat name: apsfilter version: 7.2.6-1.3 commands: aps2file,apsfilter-bug,apsfilterconfig,apspreview name: apt-btrfs-snapshot version: 3.5.1 commands: apt-btrfs-snapshot name: apt-build version: 0.12.47 commands: apt-build name: apt-cacher version: 1.7.16 commands: apt-cacher name: apt-cacher-ng version: 3.1-1build1 commands: apt-cacher-ng name: apt-cudf version: 5.0.1-9build3 commands: apt-cudf,apt-cudf-get,update-cudf-solvers name: apt-dater version: 1.0.3-6 commands: adsh,apt-dater name: apt-dater-host version: 1.0.1-1 commands: apt-dater-host name: apt-file version: 3.1.5 commands: apt-file name: apt-forktracer version: 0.5 commands: apt-forktracer name: apt-listdifferences version: 1.20170813 commands: apt-listdifferences,colordiff-git name: apt-mirror version: 0.5.4-1 commands: apt-mirror name: apt-move version: 4.2.27-5 commands: apt-move name: apt-offline version: 1.8.1 commands: apt-offline name: apt-offline-gui version: 1.8.1 commands: apt-offline-gui name: apt-rdepends version: 1.3.0-6 commands: apt-rdepends name: apt-show-source version: 0.10+nmu5ubuntu1 commands: apt-show-source name: apt-show-versions version: 0.22.7ubuntu1 commands: apt-show-versions name: apt-src version: 0.25.2 commands: apt-src name: apt-venv version: 1.0.0-2 commands: apt-venv name: apt-xapian-index version: 0.47ubuntu13 commands: axi-cache,update-apt-xapian-index name: aptfs version: 2:0.11.0-1 commands: mount.aptfs name: apticron version: 1.2.0 commands: apticron name: apticron-systemd version: 1.2.0 commands: apticron name: aptitude-robot version: 1.5.2-1 commands: aptitude-robot,aptitude-robot-session name: aptly version: 1.2.0-3 commands: aptly name: aptly-publisher version: 0.12.10-1 commands: aptly-publisher name: aptsh version: 0.0.8ubuntu1 commands: aptsh name: apulse version: 0.1.10+git20171108-gaca334f-2 commands: apulse name: apvlv version: 0.1.5+dfsg-3 commands: apvlv name: apwal version: 0.4.5-1.1 commands: apwal name: aqbanking-tools version: 5.7.8-1 commands: aqbanking-cli,aqebics-tool,aqhbci-tool4,hbcixml3 name: aqemu version: 0.9.2-2 commands: aqemu name: aqsis version: 1.8.2-10 commands: aqsis,aqsl,aqsltell,miqser,teqser name: ara version: 1.0.33 commands: ara name: arachne-pnr version: 0.1+20160813git52e69ed-1 commands: arachne-pnr name: aragorn version: 1.2.38-1 commands: aragorn name: arandr version: 0.1.9-2 commands: arandr,unxrandr name: aranym version: 1.0.2-2.2 commands: aranym,aranym-mmu,aratapif name: arbtt version: 0.9.0.13-1 commands: arbtt-capture,arbtt-dump,arbtt-import,arbtt-recover,arbtt-stats name: arc version: 5.21q-5 commands: arc,marc name: arc-gui-clients version: 0.4.6-5build1 commands: arccert-ui,arcproxy-ui,arcstat-ui,arcstorage-ui,arcsub-ui name: arcanist version: 0~git20170812-1 commands: arc name: arch-install-scripts version: 18-1 commands: arch-chroot,genfstab name: arch-test version: 0.10-1 commands: arch-test name: archipel-agent-hypervisor-platformrequest version: 0.6.0-1 commands: archipel-vmrequestnode name: archivemail version: 0.9.0-1.1 commands: archivemail name: archivemount version: 0.8.7-1 commands: archivemount name: archmage version: 1:0.3.1-3 commands: archmage name: archmbox version: 4.10.0-2ubuntu1 commands: archmbox name: arctica-greeter version: 0.99.0.4-1 commands: arctica-greeter name: arctica-greeter-guest-session version: 0.99.0.4-1 commands: arctica-greeter-guest-account-script name: arden version: 1.0-3 commands: arden-analyze,arden-create,arden-filter name: ardentryst version: 1.71-5 commands: ardentryst name: ardour version: 1:5.12.0-3 commands: ardour5,ardour5-copy-mixer,ardour5-export,ardour5-fix_bbtppq name: ardour-video-timeline version: 1:5.12.0-3 commands: ffmpeg_harvid,ffprobe_harvid name: arduino version: 2:1.0.5+dfsg2-4.1 commands: arduino,arduino-add-groups name: arduino-mk version: 1.5.2-1 commands: ard-reset-arduino name: arename version: 4.0-4 commands: arename,ataglist name: argon2 version: 0~20161029-1.1 commands: argon2 name: argonaut-client version: 1.0-1 commands: argonaut-client name: argonaut-fai-mirror version: 1.0-1 commands: argonaut-debconf-crawler,argonaut-repository name: argonaut-fai-monitor version: 1.0-1 commands: argonaut-fai-monitor name: argonaut-fai-nfsroot version: 1.0-1 commands: argonaut-ldap2fai name: argonaut-fai-server version: 1.0-1 commands: fai2ldif,yumgroup2yumi name: argonaut-freeradius version: 1.0-1 commands: argonaut-freeradius-get-vlan name: argonaut-fuse version: 1.0-1 commands: argonaut-fuse name: argonaut-fusiondirectory version: 1.0-1 commands: argonaut-clean-audit,argonaut-user-reminder name: argonaut-fusioninventory version: 1.0-1 commands: argonaut-generate-fusioninventory-schema name: argonaut-ldap2zone version: 1.0-1 commands: argonaut-ldap2zone name: argonaut-quota version: 1.0-1 commands: argonaut-quota name: argonaut-server version: 1.0-1 commands: argonaut-server name: argus-client version: 1:3.0.8.2-3 commands: ra,rabins,racluster,raconvert,racount,radark,radecode,radium,radump,raevent,rafilteraddr,ragraph,ragrep,rahisto,rahosts,ralabel,ranonymize,rapath,rapolicy,raports,rarpwatch,raservices,rasort,rasplit,rasql,rasqlinsert,rasqltimeindex,rastream,rastrip,ratemplate,ratimerange,ratop,rauserdata name: argus-server version: 2:3.0.8.2-1 commands: argus name: argyll version: 2.0.0+repack-1build1 commands: applycal,average,cb2ti3,cctiff,ccxxmake,chartread,collink,colprof,colverify,dispcal,dispread,dispwin,extracticc,extractttag,fakeCMY,fakeread,greytiff,iccdump,iccgamut,icclu,illumread,invprofcheck,kodak2ti3,ls2ti3,mppcheck,mpplu,mppprof,oeminst,printcal,printtarg,profcheck,refine,revfix,scanin,spec2cie,specplot,splitti3,spotread,synthcal,synthread,targen,tiffgamut,timage,txt2ti3,viewgam,xicclu name: aria2 version: 1.33.1-1 commands: aria2c name: aribas version: 1.64-6 commands: aribas name: ario version: 1.6-1 commands: ario name: arj version: 3.10.22-17 commands: arj,arj-register,arjdisp,rearj name: ark version: 4:17.12.3-0ubuntu1 commands: ark name: armagetronad version: 0.2.8.3.4-2 commands: armagetronad,armagetronad.real name: armagetronad-dedicated version: 0.2.8.3.4-2 commands: armagetronad-dedicated,armagetronad-dedicated.real name: arno-iptables-firewall version: 2.0.1.f-1.1 commands: arno-fwfilter,arno-iptables-firewall name: arp-scan version: 1.9-3 commands: arp-fingerprint,arp-scan,get-iab,get-oui name: arpalert version: 2.0.12-1 commands: arpalert name: arping version: 2.19-4 commands: arping name: arpon version: 3.0-ng+dfsg1-1 commands: arpon name: arptables version: 0.0.3.4-1build1 commands: arptables,arptables-restore,arptables-save name: arpwatch version: 2.1a15-6 commands: arp2ethers,arpfetch,arpsnmp,arpwatch,bihourly,massagevendor name: array-info version: 0.16-3 commands: array-info name: arriero version: 0.6-1 commands: arriero name: art-nextgen-simulation-tools version: 20160605+dfsg-2build1 commands: aln2bed,art_454,art_SOLiD,art_illumina,art_profiler_454,art_profiler_illumina name: artemis version: 16.0.17+dfsg-3 commands: act,art,bamview,dnaplotter name: artfastqgenerator version: 0.0.20150519-2 commands: artfastqgenerator name: artha version: 1.0.3-3 commands: artha name: artikulate version: 4:17.12.3-0ubuntu1 commands: artikulate,artikulate_editor name: as31 version: 2.3.1-6build1 commands: as31 name: asc version: 2.6.1.0-3 commands: asc,asc_demount,asc_mapedit,asc_mount,asc_weaponguide name: ascd version: 0.13.2-6 commands: ascd name: ascdc version: 0.3-15build1 commands: ascdc name: ascii version: 3.18-1 commands: ascii name: ascii2binary version: 2.14-1build1 commands: ascii2binary,binary2ascii name: asciiart version: 0.0.9-1 commands: asciiart name: asciidoc-base version: 8.6.10-2 commands: a2x,asciidoc name: asciidoc-tests version: 8.6.10-2 commands: testasciidoc name: asciidoctor version: 1.5.5-1 commands: asciidoctor name: asciijump version: 1.0.2~beta-9 commands: aj-server,asciijump name: asciinema version: 2.0.0-1 commands: asciinema name: asciio version: 1.51.3-1 commands: asciio,asciio_to_text name: asclock version: 2.0.12-28 commands: asclock name: asdftool version: 1.3.3-1 commands: asdftool name: ase version: 3.15.0-1 commands: ase name: aseba version: 1.6.0-3.1~build1 commands: asebachallenge,asebacmd,asebadummynode,asebadump,asebaexec,asebahttp,asebahttp2,asebajoy,asebamassloader,asebaplay,asebaplayground,asebarec,asebaswitch,thymioupgrader,thymiownetconfig,thymiownetconfig-cli name: aseqjoy version: 0.0.2-1 commands: aseqjoy name: ash version: 0.5.8-2.10 commands: ash name: asis-programs version: 2017-2 commands: asistant,gnat2xml,gnatcheck,gnatelim,gnatmetric,gnatpp,gnatstub,gnattest name: ask version: 1.1.1-2 commands: ask,ask-compare-time-series name: asl-tools version: 0.1.7-2build1 commands: asl-hardware name: asmail version: 2.1-4build1 commands: asmail name: asmix version: 1.5-4.1build1 commands: asmix name: asmixer version: 0.5-14build1 commands: asmixer name: asmon version: 0.71-5.1build1 commands: asmon name: asn1c version: 0.9.28+dfsg-2 commands: asn1c,enber,unber name: asp version: 1.8-8build1 commands: asp,in.aspd name: aspcud version: 1:1.9.4-1 commands: aspcud,cudf2lp name: aspectc++ version: 1:2.2+git20170823-1 commands: ac++,ag++ name: aspectj version: 1.8.9-2 commands: aj,aj5,ajbrowser,ajc,ajdoc name: aspic version: 1.05-4build1 commands: aspic name: asql version: 1.6-1 commands: asql name: assemblytics version: 0~20170131+ds-2 commands: Assemblytics name: assimp-utils version: 4.1.0~dfsg-3 commands: assimp name: assword version: 0.12-1 commands: assword name: asterisk version: 1:13.18.3~dfsg-1ubuntu4 commands: aelparse,astcanary,astdb2bdb,astdb2sqlite3,asterisk,asterisk-config-custom,astgenkey,astversion,autosupport,rasterisk,safe_asterisk,smsq name: asterisk-testsuite version: 0.0.0+svn.5781-2 commands: asterisk-tests-run name: astrometry.net version: 0.73+dfsg-1 commands: an-fitstopnm,an-pnmtofits,astrometry-engine,build-astrometry-index,downsample-fits,fit-wcs,fits-column-merge,fits-flip-endian,fits-guess-scale,fitsgetext,get-healpix,get-wcs,hpsplit,image2xy,new-wcs,pad-file,plot-constellations,plotquad,plotxy,query-starkd,solve-field,subtable,tabsort,wcs-grab,wcs-match,wcs-pv2sip,wcs-rd2xy,wcs-resample,wcs-to-tan,wcs-xy2rd,wcsinfo name: astronomical-almanac version: 5.6-5 commands: aa,conjunct name: astropy-utils version: 3.0-3 commands: fits2bitmap,fitscheck,fitsdiff,fitsheader,fitsinfo,samp_hub,volint,wcslint name: astyle version: 3.1-1ubuntu2 commands: astyle name: asunder version: 2.9.2-1 commands: asunder name: asused version: 3.72-12 commands: asused,cwhois name: asylum version: 0.3.2-2build1 commands: asylum name: asymptote version: 2.41-4 commands: asy,xasy name: atac version: 0~20150903+r2013-3 commands: atac name: atanks version: 6.5~dfsg-2 commands: atanks name: aterm version: 9.22-3 commands: aterm,aterm-xterm name: aterm-ml version: 9.22-3 commands: aterm-ml,caterm,gaterm,katerm,taterm name: atfs version: 1.4pl6-14 commands: Save,accs,atfsit,atfsrepair,cacheadm,cphist,frze,mkatfs,publ,rcs2atfs,retrv,rmhist,save,sbmt,utime,vadm,vattr,vbind,vcat,vdiff,vegrep,vfgrep,vfind,vgrep,vl,vlog,vp,vrm,vsave name: atftp version: 0.7.git20120829-3 commands: atftp name: atftpd version: 0.7.git20120829-3 commands: atftpd,in.tftpd name: atheist version: 0.20110402-2.1 commands: atheist name: atheme-services version: 7.2.9-1build1 commands: atheme-dbverify,atheme-ecdsakeygen,atheme-services name: athena-jot version: 9.0-7 commands: athena-jot,jot name: atig version: 0.6.1-2 commands: atig name: atlc version: 4.6.1-2 commands: atlc,coax,create_any_bitmap,create_bmp_for_circ_in_circ,create_bmp_for_circ_in_rect,create_bmp_for_microstrip_coupler,create_bmp_for_rect_cen_in_rect,create_bmp_for_rect_cen_in_rect_coupler,create_bmp_for_rect_in_circ,create_bmp_for_rect_in_rect,create_bmp_for_stripline_coupler,create_bmp_for_symmetrical_stripline,design_coupler,dualcoax,find_optimal_dimensions_for_microstrip_coupler,locatediff,myfilelength,mymd5sum,readbin name: atm-tools version: 1:2.5.1-2build1 commands: aread,atmaddr,atmarp,atmarpd,atmdiag,atmdump,atmloop,atmsigd,atmswitch,atmtcp,awrite,bus,enitune,esi,ilmid,lecs,les,mpcd,saaldump,sonetdiag,svc_recv,svc_send,ttcp_atm,zeppelin,zntune name: atom4 version: 4.1-9 commands: atom4 name: atomicparsley version: 0.9.6-1 commands: AtomicParsley name: atomix version: 3.22.0-2 commands: atomix name: atool version: 0.39.0-5 commands: acat,adiff,als,apack,arepack,atool,aunpack name: atop version: 2.3.0-1 commands: atop,atopacctd,atopsar name: atril version: 1.20.1-2ubuntu2 commands: atril,atril-previewer,atril-thumbnailer name: ats-lang-anairiats version: 0.2.11-1build1 commands: atscc,atslex,atsopt name: ats2-lang version: 0.2.9-1 commands: patscc,patsopt name: attal version: 1.0~rc2-2 commands: attal-ai,attal-campaign-editor,attal-client,attal-scenario-editor,attal-server,attal-theme-editor name: aubio-tools version: 0.4.5-1build1 commands: aubio,aubiocut,aubiomfcc,aubionotes,aubioonset,aubiopitch,aubioquiet,aubiotrack name: audacious version: 3.9-2 commands: audacious,audtool name: audacity version: 2.2.1-1 commands: audacity name: audiofile-tools version: 0.3.6-4 commands: sfconvert,sfinfo name: audiolink version: 0.05-3 commands: alfilldb,alsearch,audiolink name: audiotools version: 3.1.1-1.1 commands: audiotools-config,cdda2track,cddainfo,cddaplay,coverdump,covertag,coverview,track2cdda,track2track,trackcat,trackcmp,trackinfo,tracklength,tracklint,trackplay,trackrename,tracksplit,tracktag,trackverify name: audispd-plugins version: 1:2.8.2-1ubuntu1 commands: audisp-prelude,audisp-remote,audispd-zos-remote name: audtty version: 0.1.12-5 commands: audtty name: aufs-tools version: 1:4.9+20170918-1ubuntu1 commands: aubrsync,aubusy,auchk,auibusy,aumvdown,auplink,mount.aufs,umount.aufs name: augeas-tools version: 1.10.1-2 commands: augmatch,augparse,augtool name: augustus version: 3.3+dfsg-2build1 commands: aln2wig,augustus,bam2hints,bam2wig,checkTargetSortedness,compileSpliceCands,etraining,fastBlockSearch,filterBam,homGeneMapping,joingenes,prepareAlign name: aumix version: 2.9.1-5 commands: aumix name: aumix-common version: 2.9.1-5 commands: mute,xaumix name: aumix-gtk version: 2.9.1-5 commands: aumix name: auralquiz version: 0.8.1-1build2 commands: auralquiz name: aurora version: 1.9.3-0ubuntu1 commands: aurora name: auth-client-config version: 0.9ubuntu1 commands: auth-client-config name: auto-07p version: 0.9.1+dfsg-4 commands: auto-07p name: auto-apt-proxy version: 8ubuntu2 commands: auto-apt-proxy name: autoclass version: 3.3.6.dfsg.1-1build1 commands: autoclass name: autoconf-dickey version: 2.52+20170501-2 commands: autoconf-dickey,autoheader-dickey,autoreconf-dickey,autoscan-dickey,autoupdate-dickey,ifnames-dickey name: autoconf2.13 version: 2.13-68 commands: autoconf2.13,autoheader2.13,autoreconf2.13,autoscan2.13,autoupdate2.13,ifnames2.13 name: autoconf2.64 version: 2.64+dfsg-1 commands: autoconf2.64,autoheader2.64,autom4te2.64,autoreconf2.64,autoscan2.64,autoupdate2.64,ifnames2.64 name: autocutsel version: 0.10.0-2 commands: autocutsel,cutsel name: autodia version: 2.14-1 commands: autodia name: autodns-dhcp version: 0.9 commands: autodns-dhcp_cron,autodns-dhcp_ddns name: autodock version: 4.2.6-5 commands: autodock4 name: autodock-vina version: 1.1.2-4 commands: vina,vina_split name: autofdo version: 0.18-1 commands: create_gcov,create_llvm_prof,dump_gcov,profile_diff,profile_merger,profile_update,sample_merger name: autogen version: 1:5.18.12-4 commands: autogen,autoopts-config,columns,getdefs,xml2ag name: autogrid version: 4.2.6-5 commands: autogrid4 name: autojump version: 22.5.0-2 commands: autojump name: autokey-common version: 0.90.4-1.1 commands: autokey-run name: autokey-gtk version: 0.90.4-1.1 commands: autokey,autokey-gtk name: autolog version: 0.40+debian-2 commands: autolog name: automake1.11 version: 1:1.11.6-4 commands: aclocal,aclocal-1.11,automake,automake-1.11 name: automoc version: 1.0~version-0.9.88-5build2 commands: automoc4 name: automx version: 0.10.0-2.1build1 commands: automx-test name: automysqlbackup version: 2.6+debian.4-1 commands: automysqlbackup name: autopostgresqlbackup version: 1.0-7 commands: autopostgresqlbackup name: autoproject version: 0.20-10 commands: autoproject name: autopsy version: 2.24-3 commands: autopsy name: autoradio version: 2.8.6-1 commands: autoplayerd,autoplayergui,autoradioctrl,autoradiod,autoradiodbusd,autoradioweb,jackdaemon name: autorandr version: 1.4-1 commands: autorandr name: autorenamer version: 0.4-1 commands: autorenamer name: autorevision version: 1.21-1 commands: autorevision name: autossh version: 1.4e-4 commands: autossh,autossh-argv0,rscreen,rtmux,ruscreen name: autosuspend version: 1.0.0-2 commands: autosuspend name: autotrash version: 0.1.5-1.1 commands: autotrash name: avahi-discover version: 0.7-3.1ubuntu1 commands: avahi-discover name: avahi-dnsconfd version: 0.7-3.1ubuntu1 commands: avahi-dnsconfd name: avahi-ui-utils version: 0.7-3.1ubuntu1 commands: bshell,bssh,bvnc name: avarice version: 2.13+svn372-2 commands: avarice,ice-gdb,ice-insight,kill-avarice,start-avarice name: avce00 version: 2.0.0-5 commands: avcdelete,avcexport,avcimport,avctest name: averell version: 1.2.5-1 commands: averell name: avfs version: 1.0.5-2 commands: avfs-config,avfsd,ftppass,mountavfs,umountavfs name: aview version: 1.3.0rc1-9build1 commands: aaflip,asciiview,aview name: avis version: 1.2.2-4 commands: avisd name: avogadro version: 1.2.0-3 commands: avogadro,avopkg,qube name: avr-evtd version: 1.7.7-2build1 commands: avr-evtd name: avr-libc version: 1:2.0.0+Atmel3.6.0-1 commands: avr-man name: avra version: 1.3.0-3 commands: avra name: avrdude version: 6.3-4 commands: avrdude name: avro-bin version: 1.8.2-1 commands: avroappend,avrocat,avromod,avropipe name: avrp version: 1.0beta3-7build1 commands: avrp name: awardeco version: 0.2-3.1build1 commands: awardeco name: away version: 0.9.5+ds-0+nmu2build1 commands: away name: aweather version: 0.8.1-1.1build1 commands: aweather,wsr88ddec name: awesfx version: 0.5.1e-1 commands: asfxload,aweset,gusload,setfx,sf2text,sfxload,sfxtest,text2sf name: awesome version: 4.2-4 commands: awesome,awesome-client,x-window-manager name: awffull version: 3.10.2-5 commands: awffull,awffull_history_regen name: awit-dbackup version: 0.0.22-1 commands: dbackup name: aws-shell version: 0.2.0-2 commands: aws-shell,aws-shell-mkindex name: awscli version: 1.14.44-1ubuntu1 commands: aws,aws_completer name: ax25-apps version: 0.0.8-rc4-2build1 commands: ax25ipd,ax25mond,ax25rtctl,ax25rtd,axcall,axlisten name: ax25-tools version: 0.0.10-rc4-3 commands: ax25_call,ax25d,axctl,axgetput,axparms,axspawn,beacon,bget,bpqparms,bput,dmascc_cfg,kissattach,kissnetd,kissparms,m6pack,mcs2h,mheard,mheardd,mkiss,net2kiss,netrom_call,netromd,nodesave,nrattach,nrparms,nrsdrv,rip98d,rose_call,rsattach,rsdwnlnk,rsmemsiz,rsparms,rsuplnk,rsusers,rxecho,sethdlc,smmixer,spattach,tcp_call,ttylinkd,yamcfg name: ax25-xtools version: 0.0.10-rc4-3 commands: smdiag,xfhdlcchpar,xfhdlcst,xfsmdiag,xfsmmixer name: ax25mail-utils version: 0.13-1build1 commands: axgetlist,axgetmail,axgetmsg,home_bbs,msgcleanup,ulistd,update_routes name: axe-demultiplexer version: 0.3.2+dfsg1-1build1 commands: axe-demux name: axel version: 2.16.1-1build1 commands: axel name: axiom version: 20170501-3 commands: axiom name: axiom-test version: 20170501-3 commands: axiom-test name: axmail version: 2.6-1 commands: axmail name: aylet version: 0.5-3build2 commands: aylet name: aylet-gtk version: 0.5-3build2 commands: aylet-gtk,xaylet name: b5i2iso version: 0.2-0ubuntu3 commands: b5i2iso name: babeld version: 1.7.0-1build1 commands: babeld name: babeltrace version: 1.5.5-1 commands: babeltrace,babeltrace-log name: babiloo version: 2.0.11-2 commands: babiloo name: backblaze-b2 version: 1.1.0-1 commands: backblaze-b2 name: backdoor-factory version: 3.4.2+dfsg-2 commands: backdoor-factory name: backintime-common version: 1.1.12-2 commands: backintime,backintime-askpass name: backintime-qt4 version: 1.1.12-2 commands: backintime-qt4 name: backstep version: 0.3-0ubuntu7 commands: backstep name: backup-manager version: 0.7.12-4 commands: backup-manager,backup-manager-purge,backup-manager-upload name: backup2l version: 1.6-2 commands: backup2l name: backupchecker version: 1.7-1 commands: backupchecker name: backupninja version: 1.0.2-1 commands: backupninja,ninjahelper name: bacula-bscan version: 9.0.6-1build1 commands: bscan name: bacula-common version: 9.0.6-1build1 commands: bsmtp,btraceback name: bacula-console version: 9.0.6-1build1 commands: bacula-console,bconsole name: bacula-console-qt version: 9.0.6-1build1 commands: bat name: bacula-director version: 9.0.6-1build1 commands: bacula-dir,bregex,bwild,dbcheck name: bacula-fd version: 9.0.6-1build1 commands: bacula-fd name: bacula-sd version: 9.0.6-1build1 commands: bacula-sd,bcopy,bextract,bls,btape name: bagel version: 1.1.0-1 commands: BAGEL name: baitfisher version: 1.0+dfsg-2 commands: BaitFilter,BaitFisher name: balance version: 3.57-1build1 commands: balance name: balder2d version: 1.0-2 commands: balder2d name: ballerburg version: 1.2.0-2 commands: ballerburg name: ballz version: 1.0.3-1build2 commands: ballz name: baloo-kf5 version: 5.44.0-0ubuntu1 commands: baloo_file,baloo_file_extractor,balooctl,baloosearch,balooshow name: baloo-utils version: 4:4.14.3-0ubuntu6 commands: akonadi_baloo_indexer name: baloo4 version: 4:4.14.3-0ubuntu6 commands: baloo_file,baloo_file_cleaner,baloo_file_extractor,balooctl,baloosearch,balooshow name: balsa version: 2.5.3-4 commands: balsa,balsa-ab name: bam version: 0.4.0-5 commands: bam name: bambam version: 0.6+dfsg-1 commands: bambam name: bamtools version: 2.4.1+dfsg-2 commands: bamtools name: bandwidthd version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd name: bandwidthd-pgsql version: 2.0.1+cvs20090917-10ubuntu1 commands: bandwidthd,bd_pgsql_purge name: banshee version: 2.9.0+really2.6.2-7ubuntu3 commands: bamz,banshee,muinshee name: bar version: 1.11.1-3 commands: bar name: barcode version: 0.98+debian-9.1build1 commands: barcode name: bareftp version: 0.3.9-3 commands: bareftp name: baresip-core version: 0.5.7-1build1 commands: baresip name: barman version: 2.3-2 commands: barman name: barman-cli version: 1.2-1 commands: barman-wal-restore name: barnowl version: 1.9-4build2 commands: barnowl,zcrypt name: barrage version: 1.0.4-2build1 commands: barrage name: barrnap version: 0.8+dfsg-2 commands: barrnap name: bart version: 0.4.02-2 commands: bart name: basex version: 8.5.1-1 commands: basex,basexclient,basexgui,basexserver name: basez version: 1.6-3 commands: base16,base32hex,base32plain,base64mime,base64pem,base64plain,base64url,basez,hex name: bash-static version: 4.4.18-2ubuntu1 commands: bash-static name: bashburn version: 3.0.1-2 commands: bashburn name: basic256 version: 1.1.4.0-2 commands: basic256 name: basket version: 2.10~beta+git20160425.b77687f-1 commands: basket name: bastet version: 0.43-4build5 commands: bastet name: batctl version: 2018.0-1 commands: batctl name: batmand version: 0.3.2-17 commands: batmand name: batmon.app version: 0.9-1build2 commands: batmon name: bats version: 0.4.0-1.1 commands: bats name: battery-stats version: 0.5.6-1 commands: battery-graph,battery-log,battery-stats-collector name: bauble version: 0.9.7-2.1build1 commands: bauble,bauble-admin name: baycomusb version: 0.10-14 commands: baycomusb,writeeeprom name: bb version: 1.3rc1-11 commands: bb name: bbe version: 0.2.2-3 commands: bbe name: bbmail version: 0.9.3-2build1 commands: bbmail name: bbpager version: 0.4.7-5build1 commands: bbpager name: bbqsql version: 1.1-2 commands: bbqsql name: bbrun version: 1.6-6.1build1 commands: bbrun name: bbtime version: 0.1.5-13ubuntu1 commands: bbtime name: bcc version: 0.16.17-3.3 commands: bcc name: bcfg2 version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2 name: bcfg2-server version: 1.4.0~pre2+git141-g6d40dace6358-1ubuntu1 commands: bcfg2-admin,bcfg2-crypt,bcfg2-info,bcfg2-lint,bcfg2-report-collector,bcfg2-reports,bcfg2-server,bcfg2-test,bcfg2-yum-helper name: bchunk version: 1.2.0-12.1 commands: bchunk name: bcpp version: 0.0.20131209-1build1 commands: bcpp name: bcron version: 0.11-1.1 commands: bcron-exec,bcron-sched,bcron-spool,bcron-start,bcron-update,bcrontab name: bcron-run version: 0.11-1.1 commands: crontab name: bcrypt version: 1.1-8.1build1 commands: bcrypt name: bd version: 1.02-2 commands: bd name: bdbvu version: 0.1-2 commands: bdbvu name: bdfproxy version: 0.3.9-1 commands: bdf_proxy name: bdfresize version: 1.5-10 commands: bdfresize name: bdii version: 5.2.23-2 commands: bdii-update name: beads version: 1.1.18+dfsg-1 commands: beads,qtbeads name: beagle version: 4.1~180127+dfsg-1 commands: beagle,bref name: beancounter version: 0.8.10 commands: beancounter,setup_beancounter,update_beancounter name: beanstalkd version: 1.10-4 commands: beanstalkd name: bear version: 2.3.11-1 commands: bear name: bear-factory version: 0.6.0-4build1 commands: bf-animation-editor,bf-level-editor,bf-model-editor name: beast2-mcmc version: 2.4.4+dfsg-1 commands: beast2-mcmc,beauti2,treeannotator2 name: beav version: 1:1.40-18build2 commands: beav name: bedops version: 2.4.26+dfsg-1 commands: bam2bed,bam2bed_gnuParallel,bam2bed_sge,bam2bed_slurm,bam2starch,bam2starch_gnuParallel,bam2starch_sge,bam2starch_slurm,bedextract,bedmap,bedops,bedops-starch,closest-features,convert2bed,gff2bed,gff2starch,gtf2bed,gtf2starch,gvf2bed,gvf2starch,psl2bed,psl2starch,rmsk2bed,rmsk2starch,sam2bed,sam2starch,sort-bed,starch-diff,starchcat,starchcluster_gnuParallel,starchcluster_sge,starchcluster_slurm,starchstrip,unstarch,update-sort-bed-migrate-candidates,update-sort-bed-slurm,update-sort-bed-starch-slurm,vcf2bed,vcf2starch,wig2bed,wig2starch name: bedtools version: 2.26.0+dfsg-5 commands: annotateBed,bamToBed,bamToFastq,bed12ToBed6,bedToBam,bedToIgv,bedpeToBam,bedtools,closestBed,clusterBed,complementBed,coverageBed,expandCols,fastaFromBed,flankBed,genomeCoverageBed,getOverlap,groupBy,intersectBed,linksBed,mapBed,maskFastaFromBed,mergeBed,multiBamCov,multiIntersectBed,nucBed,pairToBed,pairToPair,randomBed,shiftBed,shuffleBed,slopBed,sortBed,subtractBed,tagBam,unionBedGraphs,windowBed,windowMaker name: beef version: 1.0.2-2 commands: beef name: beep version: 1.3-4+deb9u1 commands: beep name: beets version: 1.4.6-2 commands: beet name: belenios-tool version: 1.4+dfsg-2 commands: belenios-tool name: belier version: 1.2-3 commands: bel name: belvu version: 4.44.1+dfsg-2build1 commands: belvu name: ben version: 0.7.7ubuntu2 commands: ben name: beneath-a-steel-sky version: 0.0372-7 commands: sky name: berkeley-abc version: 1.01+20161002hgeb6eca6+dfsg-1 commands: berkeley-abc name: berkeley-express version: 1.5.1-3build2 commands: berkeley-express name: berusky version: 1.7.1-1 commands: berusky name: berusky2 version: 0.10-6 commands: berusky2 name: betaradio version: 1.6-1build1 commands: betaradio name: between version: 6+dfsg1-3 commands: Between,between name: bf version: 20041219ubuntu6 commands: bf name: bfbtester version: 2.0.1-7.1build1 commands: bfbtester name: bfgminer version: 5.4.2+dfsg-1build2 commands: bfgminer name: bfs version: 1.2.1-1 commands: bfs name: bgpdump version: 1.5.0-2 commands: bgpdump name: bgpq3 version: 0.1.33-1 commands: bgpq3 name: biabam version: 0.9.7-7ubuntu1 commands: biabam name: bibclean version: 2.11.4.1-4build1 commands: bibclean name: bibcursed version: 2.0.0-6.1 commands: bibcursed name: biber version: 2.9-1 commands: biber name: bible-kjv version: 4.29build1 commands: bible,randverse name: bibledit version: 5.0.453-3 commands: bibledit name: bibledit-bibletime version: 1.1.1-3build1 commands: bibledit-bibletime name: bibledit-xiphos version: 1.1.1-2build1 commands: bibledit-xiphos name: biboumi version: 7.2-1 commands: biboumi name: bibshelf version: 1.6.0-0ubuntu4 commands: bibshelf name: bibtex2html version: 1.98-6 commands: aux2bib,bib2bib,bibtex2html name: bibtexconv version: 0.8.20-1build2 commands: bibtexconv,bibtexconv-odt name: bibtool version: 2.67+ds-5 commands: bibtool name: bibus version: 1.5.2-5 commands: bibus name: bibutils version: 4.12-5build1 commands: bib2xml,biblatex2xml,copac2xml,ebi2xml,end2xml,endx2xml,isi2xml,med2xml,modsclean,ris2xml,wordbib2xml,xml2ads,xml2bib,xml2end,xml2isi,xml2ris,xml2wordbib name: bidentd version: 1.1.4-1.1build1 commands: bidentd name: bidiv version: 1.5-5 commands: bidiv name: biff version: 1:0.17.pre20000412-5build1 commands: biff,in.comsat name: bijiben version: 3.28.1-1 commands: bijiben name: bikeshed version: 1.73-0ubuntu1 commands: apply-patch,bch,bzrp,cloud-sandbox,dman,multi-push,multi-push-init,name-search,release,release-build,release-test name: bilibop-common version: 0.5.4 commands: drivemap name: bilibop-lockfs version: 0.5.4 commands: lockfs-notify,mount.lockfs name: bilibop-rules version: 0.5.4 commands: lsbilibop name: billard-gl version: 1.75-16build1 commands: billard-gl name: biloba version: 0.9.3-7 commands: biloba,biloba-server name: bin86 version: 0.16.17-3.3 commands: ar86,as86,ld86,nm86,objdump86,size86 name: binclock version: 1.5-6build1 commands: binclock name: bindechexascii version: 0.0+20140524.git7dcd86-4 commands: bindechexascii name: bindfs version: 1.13.7-1 commands: bindfs name: bindgraph version: 0.2a-5.1 commands: bindgraph.pl name: binfmtc version: 0.17-2 commands: binfmtasm-interpreter,binfmtc-interpreter,binfmtcxx-interpreter,binfmtf-interpreter,binfmtf95-interpreter,binfmtgcj-interpreter,realcsh.c,realcxxsh.cc,realksh.c name: bing version: 1.3.5-2 commands: bing name: biniax2 version: 1.30-4 commands: biniax2 name: binkd version: 1.1a-96-1 commands: binkd,binkdlogstat name: bino version: 1.6.6-1 commands: bino name: binpac version: 0.48-1 commands: binpac name: binstats version: 1.08-8.2 commands: binstats name: binutils-arm-none-eabi version: 2.27-9ubuntu1+9 commands: arm-none-eabi-addr2line,arm-none-eabi-ar,arm-none-eabi-as,arm-none-eabi-c++filt,arm-none-eabi-elfedit,arm-none-eabi-gprof,arm-none-eabi-ld,arm-none-eabi-ld.bfd,arm-none-eabi-nm,arm-none-eabi-objcopy,arm-none-eabi-objdump,arm-none-eabi-ranlib,arm-none-eabi-readelf,arm-none-eabi-size,arm-none-eabi-strings,arm-none-eabi-strip name: binutils-avr version: 2.26.20160125+Atmel3.6.0-1 commands: avr-addr2line,avr-ar,avr-as,avr-c++filt,avr-elfedit,avr-gprof,avr-ld,avr-ld.bfd,avr-nm,avr-objcopy,avr-objdump,avr-ranlib,avr-readelf,avr-size,avr-strings,avr-strip name: binutils-h8300-hms version: 2.16.1-10build1 commands: h8300-hitachi-coff-addr2line,h8300-hitachi-coff-ar,h8300-hitachi-coff-as,h8300-hitachi-coff-c++filt,h8300-hitachi-coff-ld,h8300-hitachi-coff-nm,h8300-hitachi-coff-objcopy,h8300-hitachi-coff-objdump,h8300-hitachi-coff-ranlib,h8300-hitachi-coff-readelf,h8300-hitachi-coff-size,h8300-hitachi-coff-strings,h8300-hitachi-coff-strip,h8300-hms-addr2line,h8300-hms-ar,h8300-hms-as,h8300-hms-c++filt,h8300-hms-ld,h8300-hms-nm,h8300-hms-objcopy,h8300-hms-objdump,h8300-hms-ranlib,h8300-hms-readelf,h8300-hms-size,h8300-hms-strings,h8300-hms-strip name: binutils-m68hc1x version: 1:2.18-9 commands: m68hc11-addr2line,m68hc11-ar,m68hc11-as,m68hc11-c++filt,m68hc11-gprof,m68hc11-ld,m68hc11-nm,m68hc11-objcopy,m68hc11-objdump,m68hc11-ranlib,m68hc11-readelf,m68hc11-size,m68hc11-strings,m68hc11-strip,m68hc12-addr2line,m68hc12-ar,m68hc12-as,m68hc12-c++filt,m68hc12-ld,m68hc12-nm,m68hc12-objcopy,m68hc12-objdump,m68hc12-ranlib,m68hc12-readelf,m68hc12-size,m68hc12-strings,m68hc12-strip name: binutils-mingw-w64-i686 version: 2.30-7ubuntu1+8ubuntu1 commands: i686-w64-mingw32-addr2line,i686-w64-mingw32-ar,i686-w64-mingw32-as,i686-w64-mingw32-c++filt,i686-w64-mingw32-dlltool,i686-w64-mingw32-dllwrap,i686-w64-mingw32-elfedit,i686-w64-mingw32-gprof,i686-w64-mingw32-ld,i686-w64-mingw32-ld.bfd,i686-w64-mingw32-nm,i686-w64-mingw32-objcopy,i686-w64-mingw32-objdump,i686-w64-mingw32-ranlib,i686-w64-mingw32-readelf,i686-w64-mingw32-size,i686-w64-mingw32-strings,i686-w64-mingw32-strip,i686-w64-mingw32-windmc,i686-w64-mingw32-windres name: binutils-mingw-w64-x86-64 version: 2.30-7ubuntu1+8ubuntu1 commands: x86_64-w64-mingw32-addr2line,x86_64-w64-mingw32-ar,x86_64-w64-mingw32-as,x86_64-w64-mingw32-c++filt,x86_64-w64-mingw32-dlltool,x86_64-w64-mingw32-dllwrap,x86_64-w64-mingw32-elfedit,x86_64-w64-mingw32-gprof,x86_64-w64-mingw32-ld,x86_64-w64-mingw32-ld.bfd,x86_64-w64-mingw32-nm,x86_64-w64-mingw32-objcopy,x86_64-w64-mingw32-objdump,x86_64-w64-mingw32-ranlib,x86_64-w64-mingw32-readelf,x86_64-w64-mingw32-size,x86_64-w64-mingw32-strings,x86_64-w64-mingw32-strip,x86_64-w64-mingw32-windmc,x86_64-w64-mingw32-windres name: binutils-msp430 version: 2.22~msp20120406-5.1 commands: msp430-addr2line,msp430-ar,msp430-as,msp430-c++filt,msp430-elfedit,msp430-gprof,msp430-ld,msp430-ld.bfd,msp430-nm,msp430-objcopy,msp430-objdump,msp430-ranlib,msp430-readelf,msp430-size,msp430-strings,msp430-strip name: binutils-z80 version: 2.30-11ubuntu1+4build1 commands: z80-unknown-coff-addr2line,z80-unknown-coff-ar,z80-unknown-coff-as,z80-unknown-coff-c++filt,z80-unknown-coff-elfedit,z80-unknown-coff-gprof,z80-unknown-coff-ld,z80-unknown-coff-ld.bfd,z80-unknown-coff-nm,z80-unknown-coff-objcopy,z80-unknown-coff-objdump,z80-unknown-coff-ranlib,z80-unknown-coff-readelf,z80-unknown-coff-size,z80-unknown-coff-strings,z80-unknown-coff-strip name: binwalk version: 2.1.1-16 commands: binwalk name: bio-rainbow version: 2.0.4-1build1 commands: bio-rainbow,ezmsim,rbasm,select_all_rbcontig.pl,select_best_rbcontig.pl,select_best_rbcontig_plus_read1.pl,select_sec_rbcontig.pl name: bio-tradis version: 1.3.3+dfsg-3 commands: add_tradis_tags,bacteria_tradis,check_tradis_tags,combine_tradis_plots,filter_tradis_tags,remove_tradis_tags,tradis_comparison,tradis_essentiality,tradis_gene_insert_sites,tradis_merge_plots,tradis_plot name: biogenesis version: 0.8-2 commands: biogenesis name: bioperl version: 1.7.2-2 commands: bp_aacomp,bp_biofetch_genbank_proxy,bp_bioflat_index,bp_biogetseq,bp_blast2tree,bp_bulk_load_gff,bp_chaos_plot,bp_classify_hits_kingdom,bp_composite_LD,bp_das_server,bp_dbsplit,bp_download_query_genbank,bp_extract_feature_seq,bp_fast_load_gff,bp_fastam9_to_table,bp_fetch,bp_filter_search,bp_find-blast-matches,bp_flanks,bp_gccalc,bp_genbank2gff,bp_genbank2gff3,bp_generate_histogram,bp_heterogeneity_test,bp_hivq,bp_hmmer_to_table,bp_index,bp_load_gff,bp_local_taxonomydb_query,bp_make_mrna_protein,bp_mask_by_search,bp_meta_gff,bp_mrtrans,bp_mutate,bp_netinstall,bp_nexus2nh,bp_nrdb,bp_oligo_count,bp_parse_hmmsearch,bp_process_gadfly,bp_process_sgd,bp_process_wormbase,bp_query_entrez_taxa,bp_remote_blast,bp_revtrans-motif,bp_search2alnblocks,bp_search2gff,bp_search2table,bp_search2tribe,bp_seq_length,bp_seqconvert,bp_seqcut,bp_seqfeature_delete,bp_seqfeature_gff3,bp_seqfeature_load,bp_seqpart,bp_seqret,bp_seqretsplit,bp_split_seq,bp_sreformat,bp_taxid4species,bp_taxonomy2tree,bp_translate_seq,bp_tree2pag,bp_unflatten_seq name: bioperl-run version: 1.7.1-3 commands: bp_bioperl_application_installer.pl,bp_multi_hmmsearch.pl,bp_panalysis.pl,bp_papplmaker.pl,bp_run_neighbor.pl,bp_run_protdist.pl name: biosig-tools version: 1.3.0-2.2build1 commands: heka2itx,save2aecg,save2gdf,save2scp name: biosquid version: 1.9g+cvs20050121-10 commands: afetch,alistat,compalign,compstruct,revcomp,seqsplit,seqstat,sfetch,shuffle,sindex,sreformat,stranslate,weight name: bip version: 0.8.9-1.2build1 commands: bip,bipgenconfig,bipmkpw name: bird version: 1.6.3-3 commands: bird,bird6,birdc,birdc6 name: birdfont version: 2.21.1+git8ae0c56f-1 commands: birdfont,birdfont-autotrace,birdfont-export,birdfont-import name: birthday version: 1.6.2-4build1 commands: birthday,vcf2birthday name: bison++ version: 1.21.11-4 commands: bison,bison++,bison++.yacc,yacc name: bisonc++ version: 6.01.00-1 commands: bisonc++ name: bist version: 0.5.2-1.1build1 commands: bist name: bit-babbler version: 0.8 commands: bbcheck,bbctl,bbvirt,seedd name: bitlbee version: 3.5.1-1build1 commands: bitlbee name: bitlbee-libpurple version: 3.5.1-1build1 commands: bitlbee name: bitmeter version: 1.2-4 commands: bitmeter name: bitseq version: 0.7.5+dfsg-3ubuntu1 commands: biocUpdate,checkTR,convertSamples,estimateDE,estimateExpression,estimateHyperPar,estimateVBExpression,extractSamples,extractTranscriptInfo,getCounts,getFoldChange,getGeneExpression,getPPLR,getVariance,getWithinGeneExpression,parseAlignment,transposeLargeFile name: bitstormlite version: 0.2q-5 commands: bitstormlite name: bittornado-gui version: 0.3.18-10.3 commands: btcompletedirgui,btcompletedirgui.bittornado,btdownloadgui,btdownloadgui.bittornado,btmaketorrentgui name: bittorrent version: 3.4.2-12 commands: btcompletedir,btcompletedir.bittorrent,btdownloadcurses,btdownloadcurses.bittorrent,btdownloadheadless,btdownloadheadless.bittorrent,btlaunchmany,btlaunchmany.bittorrent,btlaunchmanycurses,btlaunchmanycurses.bittorrent,btmakemetafile,btmakemetafile.bittorrent,btreannounce,btreannounce.bittorrent,btrename,btrename.bittorrent,btshowmetainfo,btshowmetainfo.bittorrent,bttrack,bttrack.bittorrent name: bittorrent-gui version: 3.4.2-12 commands: btcompletedirgui,btcompletedirgui.bittorrent,btdownloadgui,btdownloadgui.bittorrent name: bittwist version: 2.0-9 commands: bittwist,bittwiste name: bitz-server version: 1.0.2-1 commands: bitz-server name: bkchem version: 0.13.0-6 commands: bkchem name: black-box version: 1.4.8-4 commands: black-box name: blackbox version: 0.70.1-36 commands: blackbox,bsetbg,bsetroot,bstyleconvert,x-window-manager name: bladerf version: 0.2016.06-2 commands: bladeRF-cli,bladeRF-fsk,bladeRF-install-firmware name: blahtexml version: 0.9-1.1build1 commands: blahtexml name: blazeblogger version: 1.2.0-3 commands: blaze,blaze-add,blaze-config,blaze-edit,blaze-init,blaze-list,blaze-log,blaze-make,blaze-remove name: bld version: 0.3.4.1-4build1 commands: bld,bldread name: bld-postfix version: 0.3.4.1-4build1 commands: bld-pf_log,bld-pf_policy name: bld-tools version: 0.3.4.1-4build1 commands: bld-mrtg,blddecr,bldinsert,bldquery,bldsubmit name: bleachbit version: 2.0-2 commands: bleachbit name: blender version: 2.79.b+dfsg0-1 commands: blender,blender-thumbnailer.py,blenderplayer name: blends-common version: 0.6.100ubuntu2 commands: blend-role,blend-update-menus,blend-update-usermenus,blend-user name: bless version: 0.6.0-5 commands: bless name: bley version: 2.0.0-2 commands: bley,bleygraph name: blhc version: 0.07+20170817+gita232d32-0.1 commands: blhc name: blinken version: 4:17.12.3-0ubuntu1 commands: blinken name: bliss version: 0.73-1 commands: bliss name: blixem version: 4.44.1+dfsg-2build1 commands: blixem,blixemh name: blkreplay version: 1.0-3build1 commands: blkreplay name: blktool version: 4-7build1 commands: blktool name: blktrace version: 1.1.0-2 commands: blkiomon,blkparse,blkrawverify,blktrace,bno_plot,btrace,btrecord,btreplay,btt,iowatcher,verify_blkparse name: blobandconquer version: 1.11-dfsg+20-1.1 commands: blobAndConquer name: blobby version: 1.0-3build1 commands: blobby name: blobby-server version: 1.0-3build1 commands: blobby-server name: bloboats version: 1.0.2+dfsg-3 commands: bloboats name: blobwars version: 2.00-1build1 commands: blobwars name: blockattack version: 2.1.2-1build1 commands: blockattack name: blockfinder version: 3.14159-2 commands: blockfinder name: blockout2 version: 2.4+dfsg1-8 commands: blockout2 name: blocks-of-the-undead version: 1.0-6build1 commands: BlocksOfTheUndead,blocks-of-the-undead name: blogliterately version: 0.8.4.3-2build5 commands: BlogLiterately name: blogofile version: 0.8b1-1build1 commands: blogofile name: blogofile-converters version: 0.8b1-1build1 commands: wordpress2blogofile name: bls-standalone version: 0.20151231 commands: bls-standalone name: bluedevil version: 4:5.12.4-0ubuntu1 commands: bluedevil-sendfile,bluedevil-wizard name: bluefish version: 2.2.10-1 commands: bluefish name: blueman version: 2.0.5-1ubuntu1 commands: blueman-adapters,blueman-applet,blueman-assistant,blueman-browse,blueman-manager,blueman-report,blueman-sendto,blueman-services name: bluemon version: 1.4-7 commands: bluemon,bluemon-client,bluemon-query name: blueproximity version: 1.2.5-6 commands: blueproximity name: bluewho version: 0.1-2 commands: bluewho name: bluez-btsco version: 1:0.50-0ubuntu6 commands: btsco name: bluez-hcidump version: 5.48-0ubuntu3 commands: hcidump name: bluez-tests version: 5.48-0ubuntu3 commands: bnep-tester,gap-tester,hci-tester,l2cap-tester,mgmt-tester,rfcomm-tester,sco-tester,smp-tester,userchan-tester name: bluez-tools version: 0.2.0~20140808-5build1 commands: bt-adapter,bt-agent,bt-device,bt-network,bt-obex name: bmake version: 20160220-2build1 commands: bmake,mkdep,pmake name: bmap-tools version: 3.4-1 commands: bmaptool name: bmf version: 0.9.4-10 commands: bmf,bmfconv name: bmon version: 1:4.0-4build1 commands: bmon name: bmt version: 0.6-1 commands: cpbm name: bnd version: 3.5.0-1 commands: bnd name: bnfc version: 2.8.1-3 commands: bnfc name: boa-constructor version: 0.6.1-16 commands: boa-constructor name: boats version: 201307-1.1build1 commands: boats name: bochs version: 2.6-5build2 commands: bochs,bochs-bin name: bogofilter-bdb version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-bdb,bf_copy,bf_copy-bdb,bf_tar-bdb,bogofilter,bogofilter-bdb,bogolexer,bogolexer-bdb,bogotune,bogotune-bdb,bogoupgrade,bogoupgrade-bdb,bogoutil,bogoutil-bdb name: bogofilter-sqlite version: 1.2.4+dfsg1-12 commands: bf_compact,bf_compact-sqlite,bf_copy,bf_copy-sqlite,bf_tar-sqlite,bogofilter,bogofilter-sqlite,bogolexer,bogolexer-sqlite,bogotune,bogotune-sqlite,bogoupgrade,bogoupgrade-sqlite,bogoutil,bogoutil-sqlite name: boinc-client version: 7.9.3+dfsg-5 commands: boinc,boinccmd name: boinc-manager version: 7.9.3+dfsg-5 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5 commands: boincscr name: boinctui version: 2.5.0-1 commands: boinctui name: bombardier version: 0.8.3+nmu1ubuntu3 commands: bombardier name: bomber version: 4:17.12.3-0ubuntu1 commands: bomber name: bomberclone version: 0.11.9-7 commands: bomberclone name: bombono-dvd version: 1.2.2-0ubuntu16 commands: bombono-dvd,mpeg2demux name: bomstrip version: 9-11 commands: bomstrip,bomstrip-files name: boogie version: 2.3.0.61016+dfsg+3.gbp1f2d6c1-1 commands: boogie,bvd name: bookletimposer version: 0.2-5 commands: bookletimposer name: boolector version: 1.5.118.6b56be4.121013-1build1 commands: boolector name: boolstuff version: 0.1.15-1ubuntu2 commands: booldnf name: boomaga version: 1.0.0-1 commands: boomaga name: boot-info-script version: 0.76-2 commands: bootinfoscript name: bootcd version: 5.12 commands: bootcdwrite name: booth version: 1.0-6ubuntu1 commands: booth,booth-keygen,boothd,geostore name: bootmail version: 1.11-0ubuntu1 commands: bootmail,rootsign name: bootp version: 2.4.3-18build1 commands: bootpd,bootpef,bootpgw,bootptest name: bootparamd version: 0.17-9build1 commands: rpc.bootparamd name: bootpc version: 0.64-7ubuntu1 commands: bootpc name: bootstrap-vz version: 0.9.11+20180121git-1 commands: bootstrap-vz,bootstrap-vz-remote,bootstrap-vz-server name: bopm version: 3.1.3-3build1 commands: bopm name: borgbackup version: 1.1.5-1 commands: borg,borgbackup,borgfs name: bosh version: 0.6-7 commands: bosh name: bosixnet-daemon version: 1.9-1 commands: bosixnet_daemon name: bosixnet-webui version: 1.9-1 commands: bosixnet_webui name: bossa version: 1.3~20120408-5.1 commands: bossa name: bossa-cli version: 1.3~20120408-5.1 commands: bossac,bossash name: boswars version: 2.7+svn160110-2 commands: boswars name: botan version: 2.4.0-5ubuntu1 commands: botan name: botch version: 0.21-5 commands: botch-add-arch,botch-annotate-strong,botch-apply-ma-diff,botch-bin2src,botch-build-fixpoint,botch-build-order-from-zero,botch-buildcheck-more-problems,botch-buildgraph2packages,botch-buildgraph2srcgraph,botch-calcportsmetric,botch-calculate-fas,botch-check-ma-same-versions,botch-checkfas,botch-clean-repository,botch-collapse-srcgraph,botch-convert-arch,botch-create-graph,botch-cross,botch-distcheck-more-problems,botch-dose2html,botch-download-pkgsrc,botch-droppable-diff,botch-droppable-union,botch-extract-scc,botch-fasofstats,botch-filter-src-builds-for,botch-find-fvs,botch-fix-cross-problems,botch-graph-ancestors,botch-graph-descendants,botch-graph-difference,botch-graph-info,botch-graph-neighborhood,botch-graph-shortest-path,botch-graph-sinks,botch-graph-sources,botch-graph-tred,botch-graph2text,botch-graphml2dot,botch-latest-version,botch-ma-diff,botch-multiarch-interpreter-problem,botch-native,botch-optuniv,botch-packages-diff,botch-packages-difference,botch-packages-intersection,botch-packages-union,botch-partial-order,botch-print-stats,botch-profile-build-fvs,botch-remove-virtual-disjunctions,botch-src2bin,botch-stat-html,botch-transition,botch-wanna-build-sortblockers,botch-y-u-b-d-transitive-essential,botch-y-u-no-bootstrap name: bottlerocket version: 0.05b3-16 commands: br,rocket_launcher name: bouncy version: 0.6.20071104-5 commands: bouncy name: bovo version: 4:17.12.3-0ubuntu1 commands: bovo name: bowtie version: 1.2.2+dfsg-2 commands: bowtie,bowtie-align-l,bowtie-align-l-debug,bowtie-align-s,bowtie-align-s-debug,bowtie-build,bowtie-build-l,bowtie-build-l-debug,bowtie-build-s,bowtie-build-s-debug,bowtie-inspect,bowtie-inspect-l,bowtie-inspect-l-debug,bowtie-inspect-s,bowtie-inspect-s-debug name: boxbackup-client version: 0.11.1~r2837-4 commands: bbackupctl,bbackupd,bbackupd-config,bbackupquery name: boxbackup-server version: 0.11.1~r2837-4 commands: bbstoreaccounts,bbstored,bbstored-certs,bbstored-config,raidfile-config name: boxer version: 1.1.7-1 commands: boxer name: boxes version: 1.2-2 commands: boxes name: boxshade version: 3.3.1-11 commands: boxshade name: bpfcc-tools version: 0.5.0-5ubuntu1 commands: ,argdist-bpfcc,bashreadline-bpfcc,biolatency-bpfcc,biosnoop-bpfcc,biotop-bpfcc,bitesize-bpfcc,bpflist-bpfcc,btrfsdist-bpfcc,btrfsslower-bpfcc,cachestat-bpfcc,cachetop-bpfcc,capable-bpfcc,cobjnew-bpfcc,cpudist-bpfcc,cpuunclaimed-bpfcc,dbslower-bpfcc,dbstat-bpfcc,dcsnoop-bpfcc,dcstat-bpfcc,deadlock_detector-bpfcc,deadlock_detector.c-bpfcc,execsnoop-bpfcc,ext4dist-bpfcc,ext4slower-bpfcc,filelife-bpfcc,fileslower-bpfcc,filetop-bpfcc,funccount-bpfcc,funclatency-bpfcc,funcslower-bpfcc,gethostlatency-bpfcc,hardirqs-bpfcc,javacalls-bpfcc,javaflow-bpfcc,javagc-bpfcc,javaobjnew-bpfcc,javastat-bpfcc,javathreads-bpfcc,killsnoop-bpfcc,llcstat-bpfcc,mdflush-bpfcc,memleak-bpfcc,mountsnoop-bpfcc,mysqld_qslower-bpfcc,nfsdist-bpfcc,nfsslower-bpfcc,nodegc-bpfcc,nodestat-bpfcc,offcputime-bpfcc,offwaketime-bpfcc,oomkill-bpfcc,opensnoop-bpfcc,phpcalls-bpfcc,phpflow-bpfcc,phpstat-bpfcc,pidpersec-bpfcc,profile-bpfcc,pythoncalls-bpfcc,pythonflow-bpfcc,pythongc-bpfcc,pythonstat-bpfcc,reset-trace-bpfcc,rubycalls-bpfcc,rubyflow-bpfcc,rubygc-bpfcc,rubyobjnew-bpfcc,rubystat-bpfcc,runqlat-bpfcc,runqlen-bpfcc,slabratetop-bpfcc,softirqs-bpfcc,solisten-bpfcc,sslsniff-bpfcc,stackcount-bpfcc,statsnoop-bpfcc,syncsnoop-bpfcc,syscount-bpfcc,tcpaccept-bpfcc,tcpconnect-bpfcc,tcpconnlat-bpfcc,tcplife-bpfcc,tcpretrans-bpfcc,tcptop-bpfcc,tcptracer-bpfcc,tplist-bpfcc,trace-bpfcc,ttysnoop-bpfcc,ucalls,uflow,ugc,uobjnew,ustat,uthreads,vfscount-bpfcc,vfsstat-bpfcc,wakeuptime-bpfcc,xfsdist-bpfcc,xfsslower-bpfcc,zfsdist-bpfcc,zfsslower-bpfcc name: bplay version: 0.991-10build1 commands: bplay,brec name: bpm-tools version: 0.3-2build1 commands: bpm,bpm-graph,bpm-tag name: bppphyview version: 0.6.0-1 commands: phyview name: bppsuite version: 2.4.0-1 commands: bppalnscore,bppancestor,bppconsense,bppdist,bppmixedlikelihoods,bppml,bpppars,bpppopstats,bppreroot,bppseqgen,bppseqman,bpptreedraw name: bpython version: 0.17.1-1 commands: bpython,bpython-curses,bpython-urwid name: bpython3 version: 0.17.1-1 commands: bpython3,bpython3-curses,bpython3-urwid name: br2684ctl version: 1:2.5.1-2build1 commands: br2684ctl name: braa version: 0.82-2 commands: braa name: brag version: 1.4.1-2.1 commands: brag name: braillegraph version: 0.3-1 commands: braillegraph name: brailleutils version: 1.2.3-2 commands: brailleutils name: brainparty version: 0.61+dfsg-3 commands: brainparty name: brandy version: 1.20.1-1build1 commands: brandy name: brasero version: 3.12.1-4ubuntu2 commands: brasero name: brazilian-conjugate version: 3.0~beta4-20 commands: conjugue,conjugue-ISO-8859-1,conjugue-UTF-8 name: brebis version: 0.10-1build1 commands: brebis name: breeze version: 4:5.12.4-0ubuntu1 commands: breeze-settings5 name: brewtarget version: 2.3.1-3 commands: brewtarget name: brickos version: 0.9.0.dfsg-12.1 commands: dll,firmdl3 name: brig version: 0.95+dfsg-1 commands: brig name: brightd version: 0.4.1-1ubuntu2 commands: brightd name: brightnessctl version: 0.3.1-1 commands: brightnessctl name: briquolo version: 0.5.7-8 commands: briquolo name: bristol version: 0.60.11-3 commands: brighton,bristol,bristoljackstats,startBristol name: bro version: 2.5.3-1build1 commands: bro,bro-config name: bro-aux version: 0.39-1 commands: adtrace,bro-cut,rst name: bro-pkg version: 1.3.3-1 commands: bro-pkg name: broctl version: 1.4-1 commands: broctl name: brotli version: 1.0.3-1ubuntu1 commands: brotli name: brp-pacu version: 2.1.1+git20111020-7 commands: BRP_PACU name: brutalchess version: 0.5.2+dfsg-7 commands: brutalchess name: brutefir version: 1.0o-1 commands: brutefir name: bruteforce-luks version: 1.3.1-1 commands: bruteforce-luks name: bruteforce-salted-openssl version: 1.4.0-1build1 commands: bruteforce-salted-openssl name: brutespray version: 1.6.0-1 commands: brutespray name: brz version: 3.0.0~bzr6852-1 commands: brz,bzr name: bs1770gain version: 0.4.12-2build1 commands: bs1770gain name: bsdgames version: 2.17-26build1 commands: adventure,arithmetic,atc,backgammon,battlestar,bcd,boggle,bsdgames-adventure,caesar,canfield,cfscores,countmail,cribbage,dab,go-fish,gomoku,hack,hangman,hunt,huntd,mille,monop,morse,number,phantasia,pig,pom,ppt,primes,quiz,rain,random,robots,rot13,sail,snake,snscore,teachgammon,tetris-bsd,trek,wargames,worm,worms,wtf,wump name: bsdiff version: 4.3-20 commands: bsdiff,bspatch name: bsdowl version: 2.2.2-1 commands: mp2eps,mp2pdf,mp2png name: bsfilter version: 1:1.0.19-2 commands: bsfilter name: bsh version: 2.0b4-19 commands: bsh,xbsh name: bspwm version: 0.9.3-1 commands: bspc,bspwm,x-window-manager name: btag version: 1.1.3-1build8 commands: btag name: btanks version: 0.9.8083-7 commands: btanks name: btcheck version: 2.1-3 commands: btcheck name: btest version: 0.57-1 commands: btest,btest-ask-update,btest-bg-run,btest-bg-run-helper,btest-bg-wait,btest-diff,btest-diff-rst,btest-progress,btest-rst-cmd,btest-rst-include,btest-rst-pipe,btest-setsid name: btfs version: 2.18-1build1 commands: btfs,btfsstat,btplay name: bti version: 034-2build1 commands: bti,bti-shrink-urls name: btpd version: 0.16-0ubuntu3 commands: btcli,btinfo,btpd name: btrbk version: 0.26.0-1 commands: btrbk name: btrfs-compsize version: 1.1-1 commands: compsize name: btrfs-heatmap version: 7-1 commands: btrfs-heatmap name: btscanner version: 2.1-6 commands: btscanner name: btyacc version: 3.0-5build1 commands: btyacc,yacc name: bubblefishymon version: 0.6.4-6build1 commands: bubblefishymon name: bubblewrap version: 0.2.1-1 commands: bwrap name: bubbros version: 1.6.2-1 commands: bubbros,bubbros-client,bubbros-server name: bucardo version: 5.4.1-2 commands: bucardo name: bucklespring version: 1.4.0-2 commands: buckle name: budgie-core version: 10.4+git20171031.10.g9f71bb8-1.2ubuntu1 commands: budgie-daemon,budgie-desktop,budgie-desktop-settings,budgie-panel,budgie-polkit-dialog,budgie-run-dialog,budgie-wm name: budgie-desktop-environment version: 0.9.9 commands: budgie-window-shuffler-toggle name: budgie-welcome version: 0.6.1 commands: budgie-welcome name: buffer version: 1.19-12build1 commands: buffer name: buffy version: 1.5-4 commands: buffy name: buffycli version: 0.7-1 commands: buffycli name: bugs-everywhere version: 1.1.1-4 commands: be name: bugsquish version: 0.0.6-8build1 commands: bugsquish name: bugwarrior version: 1.5.1-2 commands: bugwarrior-pull,bugwarrior-uda,bugwarrior-vault name: bugz version: 0.10.1-5 commands: bugz name: bugzilla-cli version: 2.1.0-1 commands: bugzilla name: buici-clock version: 0.4.9.4 commands: buici-clock name: buildd version: 0.75.0-1ubuntu1 commands: buildd,buildd-abort,buildd-mail,buildd-mail-wrapper,buildd-update-chroots,buildd-uploader,buildd-vlog,buildd-watcher name: buildnotify version: 0.3.5-1 commands: buildnotify name: buildtorrent version: 0.8-6 commands: buildtorrent name: buku version: 3.7-1 commands: buku name: bumblebee version: 3.2.1-17 commands: bumblebee-bugreport,bumblebeed,optirun name: bumprace version: 1.5.4-3 commands: bumprace name: bumpversion version: 0.5.3-3 commands: bumpversion name: bundlewrap version: 3.2.1-1 commands: bw name: bup version: 0.29-3 commands: bup name: burgerspace version: 1.9.2-2 commands: burgerspace,burgerspace-server name: burn version: 0.4.6-2 commands: burn,burn-configure name: bustle version: 0.5.4-1 commands: bustle name: bustle-pcap version: 0.5.4-1 commands: bustle-pcap name: busybox version: 1:1.27.2-2ubuntu3 commands: busybox name: busybox-syslogd version: 1:1.27.2-2ubuntu3 commands: klogd,logread,syslogd name: buthead version: 1.1-4build1 commands: bh,buthead name: butteraugli version: 0~20170116-2 commands: butteraugli name: buxon version: 0.0.5-5 commands: buxon name: buzztrax version: 0.10.2-5 commands: buzztrax-cmd,buzztrax-edit name: bvi version: 1.4.0-1build2 commands: bmore,bvedit,bvi,bview name: bwbasic version: 2.20pl2-11build1 commands: bwbasic,renum name: bwctl-client version: 1.5.4+dfsg1-1build1 commands: bwctl,bwping,bwtraceroute name: bwctl-server version: 1.5.4+dfsg1-1build1 commands: bwctld name: bwm-ng version: 0.6.1-5 commands: bwm-ng name: bximage version: 2.6-5build2 commands: bxcommit,bximage name: byacc version: 20140715-1build1 commands: byacc,yacc name: byacc-j version: 1.15-1build3 commands: byaccj,yacc name: bygfoot version: 2.3.2-2build1 commands: bygfoot name: bytes-circle version: 2.5-1 commands: bytes-circle name: byzanz version: 0.3.0+git20160312-2 commands: byzanz-playback,byzanz-record name: bzflag-client version: 2.4.12-1 commands: bzflag name: bzflag-server version: 2.4.12-1 commands: bzadmin,bzfquery,bzfs name: bzr-builddeb version: 2.8.10 commands: bzr-buildpackage name: bzr-git version: 0.6.13+bzr1649-1 commands: bzr-receive-pack,bzr-upload-pack,git-remote-bzr name: c-icap version: 1:0.4.4-1 commands: c-icap,c-icap-client,c-icap-mkbdb,c-icap-stretch name: c2hs version: 0.28.3-1 commands: c2hs name: c3270 version: 3.6ga4-3 commands: c3270 name: ca-certificates-mono version: 4.6.2.7+dfsg-1ubuntu1 commands: cert-sync name: cabal-debian version: 4.36-1 commands: cabal-debian name: cabal-install version: 1.24.0.2-2 commands: cabal name: cabextract version: 1.6-1.1 commands: cabextract name: caca-utils version: 0.99.beta19-2build2~gcc5.3 commands: cacaclock,cacademo,cacafire,cacaplay,cacaserver,cacaview,img2txt name: cachefilesd version: 0.10.10-0.1 commands: cachefilesd name: cacti-spine version: 1.1.35-1 commands: spine name: cadabra version: 1.46-4 commands: cadabra,xcadabra name: cadaver version: 0.23.3-2ubuntu3 commands: cadaver name: cadubi version: 1.3.3-2 commands: cadubi name: cadvisor version: 0.27.1+dfsg-1 commands: cadvisor name: caffe-tools-cpu version: 1.0.0-6 commands: caffe,classification,compute_image_mean,convert_cifar_data,convert_imageset,convert_mnist_data,convert_mnist_siamese_data,extract_features,upgrade_net_proto_binary,upgrade_net_proto_text,upgrade_solver_proto_text name: caffeine version: 2.9.4-1 commands: caffeinate,caffeine,caffeine-indicator name: cain version: 1.10+dfsg-2 commands: cain name: cairo-dock-core version: 3.4.1-1.2 commands: cairo-dock,cairo-dock-session name: cairo-perf-utils version: 1.15.10-2 commands: cairo-analyse-trace,cairo-perf-chart,cairo-perf-compare-backends,cairo-perf-diff-files,cairo-perf-micro,cairo-perf-print,cairo-perf-trace,cairo-trace name: caja version: 1.20.2-4ubuntu1 commands: caja,caja-autorun-software,caja-connect-server,caja-file-management-properties name: caja-actions version: 1.8.3-3 commands: caja-actions-config-tool,caja-actions-new,caja-actions-print,caja-actions-run name: caja-eiciel version: 1.18.1-1 commands: mate-eiciel name: caja-seahorse version: 1.18.4-1 commands: mate-seahorse-tool name: caja-sendto version: 1.20.0-1 commands: caja-sendto name: calamares version: 3.1.12-1 commands: calamares name: calamaris version: 2.99.4.5-3 commands: calamaris name: calc-stats version: 1.6-0ubuntu1 commands: calc-avg,calc-histogram,calc-max,calc-mean,calc-median,calc-min,calc-mode,calc-stats,calc-stddev,calc-stdev,calc-sum name: calcoo version: 1.3.18-6 commands: calcoo name: calculix-ccx version: 2.11-1build1 commands: ccx name: calculix-cgx version: 2.11+dfsg-1 commands: cgx name: calcurse version: 4.2.1-1.1 commands: calcurse,calcurse-caldav,calcurse-upgrade name: caldav-tester version: 7.0-3 commands: testcaldav name: calendarserver version: 9.1+dfsg-1 commands: caldavd,calendarserver_check_database_schema,calendarserver_command_gateway,calendarserver_config,calendarserver_dashboard,calendarserver_dashcollect,calendarserver_dashview,calendarserver_dbinspect,calendarserver_diagnose,calendarserver_dkimtool,calendarserver_export,calendarserver_icalendar_validate,calendarserver_import,calendarserver_manage_principals,calendarserver_manage_push,calendarserver_manage_timezones,calendarserver_migrate_resources,calendarserver_monitor_amp_notifications,calendarserver_monitor_notifications,calendarserver_pod_migration,calendarserver_purge_attachments,calendarserver_purge_events,calendarserver_purge_principals,calendarserver_shell,calendarserver_trash,calendarserver_upgrade,calendarserver_verify_data name: calf-plugins version: 0.0.60-5 commands: calfjackhost name: calibre version: 3.21.0+dfsg-1build1 commands: calibre,calibre-complete,calibre-customize,calibre-debug,calibre-parallel,calibre-server,calibre-smtp,calibredb,ebook-convert,ebook-device,ebook-edit,ebook-meta,ebook-polish,ebook-viewer,fetch-ebook-metadata,lrf2lrs,lrfviewer,lrs2lrf,markdown-calibre,web2disk name: calife version: 1:3.0.1-4build1 commands: calife name: calligra-libs version: 1:3.0.1-0ubuntu4 commands: calligra,calligraconverter name: calligrasheets version: 1:3.0.1-0ubuntu4 commands: calligrasheets name: calligrawords version: 1:3.0.1-0ubuntu4 commands: calligrawords name: calypso version: 1.5-5 commands: calypso name: camera.app version: 0.8.0-11 commands: Camera name: camitk-actionstatemachine version: 4.0.4-2ubuntu4 commands: camitk-actionstatemachine name: camitk-config version: 4.0.4-2ubuntu4 commands: camitk-config name: camitk-imp version: 4.0.4-2ubuntu4 commands: camitk-imp name: caml-crush-server version: 1.0.8-1ubuntu2 commands: pkcs11proxyd name: caml2html version: 1.4.4-0ubuntu2 commands: caml2html name: camlidl version: 1.05-15build1 commands: camlidl name: camlmix version: 1.3.1-3build2 commands: camlmix name: camlp4 version: 4.05+1-2 commands: camlp4,camlp4boot,camlp4o,camlp4o.opt,camlp4of,camlp4of.opt,camlp4oof,camlp4oof.opt,camlp4orf,camlp4orf.opt,camlp4prof,camlp4r,camlp4r.opt,camlp4rf,camlp4rf.opt,mkcamlp4 name: camlp5 version: 7.01-1build1 commands: camlp5,camlp5o,camlp5o.opt,camlp5r,camlp5r.opt,camlp5sch,mkcamlp5,mkcamlp5.opt,ocpp5 name: camorama version: 0.19-5 commands: camorama name: camping version: 2.1.580-1.1 commands: camping name: can-utils version: 2018.02.0-1 commands: asc2log,bcmserver,can-calc-bit-timing,canbusload,candump,canfdtest,cangen,cangw,canlogserver,canplayer,cansend,cansniffer,isotpdump,isotpperf,isotprecv,isotpsend,isotpserver,isotpsniffer,isotptun,jacd,jspy,jsr,log2asc,log2long,slcan_attach,slcand,slcanpty,testj1939 name: candid version: 1.0.0~alpha+201804191824-24b36a9-0ubuntu2 commands: candid,candidsrv name: caneda version: 0.3.1-1 commands: caneda name: canid version: 0.0~git20170120.15a8ca0-1 commands: canid name: canmatrix-utils version: 0.6-2 commands: cancompare,canconvert name: canna version: 3.7p3-14 commands: canlisp,cannakill,cannaserver,crfreq,crxdic,crxgram,ctow,dicar,dpbindic,dpromdic,dpxdic,forcpp,forsort,kpdic,mergeword,mkbindic,splitword,syncdic,update-canna-dics_dir,wtoc name: canna-utils version: 3.7p3-14 commands: addwords,cannacheck,cannastat,catdic,chkconc,chmoddic,cpdic,cshost,delwords,lsdic,mkdic,mkromdic,mvdic,rmdic name: cantata version: 2.2.0.ds1-1 commands: cantata name: cantor version: 4:17.12.3-0ubuntu1 commands: cantor name: cantor-backend-python3 version: 4:17.12.3-0ubuntu1 commands: cantor_python3server name: cantor-backend-r version: 4:17.12.3-0ubuntu1 commands: cantor_rserver name: capi4hylafax version: 1:01.03.00.99.svn.300-20build1 commands: c2faxrecv,c2faxsend,capi4hylafaxconfig,faxsend name: capistrano version: 3.10.0-1 commands: cap,capify name: capiutils version: 1:3.25+dfsg1-9ubuntu2 commands: avmcapictrl,capifax,capifaxrcvd,capiinfo,capiinit,rcapid name: capnproto version: 0.6.1-1ubuntu1 commands: capnp,capnpc,capnpc-c++,capnpc-capnp name: cappuccino version: 0.5.1-8ubuntu1 commands: cappuccino name: capstats version: 0.22-1build1 commands: capstats name: captagent version: 6.1.0.20-3build1 commands: captagent name: carbon-c-relay version: 3.2-1build1 commands: carbon-c-relay,relay name: cardpeek version: 0.8.4-1build3 commands: cardpeek name: carettah version: 0.4.2-4 commands: _carettah_main_,carettah name: cargo version: 0.26.0-0ubuntu1 commands: cargo name: caribou version: 0.4.21-5 commands: caribou-preferences name: carmetal version: 3.5.2+dfsg-1.1 commands: carmetal name: carton version: 1.0.28-1 commands: carton name: casacore-data-tai-utc version: 1.2 commands: casacore-update-tai_utc name: casacore-tools version: 2.4.1-1 commands: casacore_assay,casacore_floatcheck,casacore_memcheck,casahdf5support,countcode,findmeastable,fits2table,image2fits,imagecalc,imageregrid,imageslice,lsmf,measuresdata,msselect,readms,showtableinfo,showtablelock,tablefromascii,taql,tomf,writems name: caspar version: 20170830-1 commands: casparize,csp_install,csp_mkdircp,csp_scp_keep_mode,csp_sucp name: cassbeam version: 1.1-1 commands: cassbeam name: cassiopee version: 1.0.7-1 commands: cassiopee,cassiopeeknife name: castxml version: 0.1+git20170823-1 commands: castxml name: casync version: 2+61.20180112-1 commands: casync name: catcodec version: 1.0.5-2 commands: catcodec name: catdoc version: 1:0.95-4.1 commands: catdoc,catppt,wordview,xls2csv name: catdvi version: 0.14-12.1build1 commands: catdvi name: catfish version: 1.4.4-1 commands: catfish name: catimg version: 2.4.0-1 commands: catimg name: catkin version: 0.7.8-1 commands: catkin_find,catkin_init_workspace,catkin_make,catkin_make_isolated,catkin_package_version,catkin_prepare_release,catkin_test_results,catkin_topological_order name: cauchy-tools version: 0.9.0-0ubuntu3 commands: cauchydeclgen,cauchymake,cauchymc name: caveconverter version: 0~20170114-3 commands: caveconverter name: caveexpress version: 2.4+git20160609-4 commands: caveexpress,caveexpress-editor name: cavepacker version: 2.4+git20160609-4 commands: cavepacker,cavepacker-editor name: cavezofphear version: 0.5.1-1build2 commands: phear name: cb2bib version: 1.9.7-2 commands: c2bciter,c2bimport,cb2bib name: cba version: 0.3.6-4.1build2 commands: cba,cba-gtk name: cbflib-bin version: 0.9.2.2-1build1 commands: cif2cbf,convert_image,img2cif,makecbf name: cbm version: 0.1-11 commands: cbm name: cbmc version: 5.6-1 commands: cbmc,goto-analyzer,goto-cc,goto-gcc,goto-instrument name: cbootimage version: 1.7-1 commands: bct_dump,cbootimage name: cbp2make version: 147+dfsg-2 commands: cbp2make name: cc1111 version: 2.9.0-7 commands: aslink,asranlib,asx8051,makebin,packihx,s51,sdas8051,sdcc,sdcclib,sdcdb,sdcpp name: cc65 version: 2.16-2 commands: ar65,ca65,cc65,chrcvt65,cl65,co65,da65,grc65,ld65,od65,sim65,sp65 name: ccal version: 4.0-3build1 commands: ccal name: ccbuild version: 2.0.7+git20160227.c1179286-1 commands: ccbuild name: cccc version: 1:3.1.4-9 commands: cccc name: cccd version: 0.3beta4-7.1build1 commands: cccd name: ccd2iso version: 0.3-7 commands: ccd2iso name: cclib version: 1.3.1-1 commands: cclib-cda,cclib-get name: cclive version: 0.9.3-0.1build3 commands: ccl,cclive name: ccnet version: 6.1.5-1 commands: ccnet,ccnet-init name: ccontrol version: 1.0-2 commands: ccontrol,ccontrol-init,gccontrol name: cconv version: 0.6.2-1.1build1 commands: cconv name: ccrypt version: 1.10-6 commands: ccat,ccdecrypt,ccencrypt,ccguess,ccrypt name: ccze version: 0.2.1-4 commands: ccze,ccze-cssdump name: cd-circleprint version: 0.7.0-5 commands: cd-circleprint name: cd-discid version: 1.4-1build1 commands: cd-discid name: cd-hit version: 4.6.8-1 commands: cd-hit,cd-hit-2d,cd-hit-2d-para,cd-hit-454,cd-hit-div,cd-hit-est,cd-hit-est-2d,cd-hit-para,cdhit,cdhit-2d,cdhit-454,cdhit-est,cdhit-est-2d,clstr2tree,clstr_merge,clstr_merge_noorder,clstr_reduce,clstr_renumber,clstr_rev,clstr_sort_by,clstr_sort_prot_by,make_multi_seq name: cd5 version: 0.1-3build1 commands: cd5 name: cdargs version: 1.35-11 commands: cdargs name: cdbackup version: 0.7.1-1 commands: cdbackup,cdrestore name: cdbfasta version: 0.99-20100722-4 commands: cdbfasta,cdbyank name: cdbs version: 0.4.156ubuntu4 commands: cdbs-edit-patch name: cdcat version: 1.8-1build2 commands: cdcat name: cdcd version: 0.6.6-13.1build1 commands: cdcd name: cdck version: 0.7.0+dfsg-1build1 commands: cdck name: cdcover version: 0.9.1-13 commands: cdcover name: cdde version: 0.3.1-1build1 commands: cdde name: cdebootstrap version: 0.7.7ubuntu2 commands: cdebootstrap name: cdebootstrap-static version: 0.7.7ubuntu2 commands: cdebootstrap-static name: cdecl version: 2.5-13build1 commands: c++decl,cdecl name: cdftools version: 3.0.2-2 commands: cdf16bit,cdf2levitusgrid2d,cdf2levitusgrid3d,cdf2matlab,cdf_xtrac_brokenline,cdfbathy,cdfbci,cdfbn2,cdfbotpressure,cdfbottom,cdfbottomsig,cdfbti,cdfbuoyflx,cdfcensus,cdfchgrid,cdfclip,cdfcmp,cdfcofdis,cdfcoloc,cdfconvert,cdfcsp,cdfcurl,cdfdegradt,cdfdegradu,cdfdegradv,cdfdegradw,cdfdifmask,cdfdiv,cdfeddyscale,cdfeddyscale_pass1,cdfeke,cdfenstat,cdfets,cdffindij,cdffixtime,cdfflxconv,cdffracinv,cdffwc,cdfgeo-uv,cdfgeostrophy,cdfgradT,cdfhdy,cdfhdy3d,cdfheatc,cdfhflx,cdfhgradb,cdficb_clim,cdficb_diags,cdficediags,cdfimprovechk,cdfinfo,cdfisf_fill,cdfisf_forcing,cdfisf_poolchk,cdfisf_rnf,cdfisopsi,cdfkempemekeepe,cdflap,cdflinreg,cdfmaskdmp,cdfmax,cdfmaxmoc,cdfmean,cdfmhst,cdfmkmask,cdfmltmask,cdfmoc,cdfmocsig,cdfmoy,cdfmoy_freq,cdfmoy_weighted,cdfmoyt,cdfmoyuvwt,cdfmppini,cdfmxl,cdfmxlhcsc,cdfmxlheatc,cdfmxlsaltc,cdfnamelist,cdfnan,cdfnorth_unfold,cdfnrjcomp,cdfokubo-w,cdfovide,cdfpendep,cdfpolymask,cdfprobe,cdfprofile,cdfpsi,cdfpsi_level,cdfpvor,cdfrhoproj,cdfrichardson,cdfrmsssh,cdfscale,cdfsections,cdfsig0,cdfsigi,cdfsiginsitu,cdfsigintegr,cdfsigntr,cdfsigtrp,cdfsigtrp_broken,cdfsmooth,cdfspeed,cdfspice,cdfsstconv,cdfstatcoord,cdfstats,cdfstd,cdfstdevts,cdfstdevw,cdfstrconv,cdfsum,cdftempvol-full,cdftransport,cdfuv,cdfvFWov,cdfvT,cdfvar,cdfvertmean,cdfvhst,cdfvint,cdfvita,cdfvita-geo,cdfvsig,cdfvtrp,cdfw,cdfweight,cdfwflx,cdfwhereij,cdfzisot,cdfzonalmean,cdfzonalmeanvT,cdfzonalout,cdfzonalsum,cdfzoom name: cdi2iso version: 0.1-0ubuntu3 commands: cdi2iso name: cdist version: 4.4.1-1 commands: cdist name: cdlabelgen version: 4.3.0-1 commands: cdlabelgen name: cdo version: 1.9.3+dfsg.1-1 commands: cdi,cdo name: cdparanoia version: 3.10.2+debian-13 commands: cdparanoia name: cdpr version: 2.4-1ubuntu2 commands: cdpr name: cdr2odg version: 0.9.6-1 commands: cdr2odg name: cdrdao version: 1:1.2.3-4 commands: cdrdao,toc2cddb,toc2cue name: cdrskin version: 1.4.8-1 commands: cdrskin name: cdtool version: 2.1.8-release-4 commands: cdadd,cdclose,cdctrl,cdeject,cdinfo,cdir,cdloop,cdown,cdpause,cdplay,cdreset,cdshuffle,cdstop,cdtool2cddb,cdvolume name: cdw version: 0.8.1-1build2 commands: cdw name: cec-utils version: 4.0.2+dfsg1-2ubuntu1 commands: cec-client name: cecilia version: 5.2.1-1 commands: cecilia name: cedar-backup2 version: 2.27.0-2 commands: cback,cback-amazons3-sync,cback-span name: cedar-backup3 version: 3.1.12-2 commands: cback3,cback3-amazons3-sync,cback3-span name: ceferino version: 0.97.8+svn37-2 commands: ceferino,ceferinoeditor,ceferinosetup name: ceilometer-agent-notification version: 1:10.0.0-0ubuntu1 commands: ceilometer-agent-notification name: cellwriter version: 1.3.5-1build1 commands: cellwriter name: cenon.app version: 4.0.2-1build3 commands: Cenon name: ceph-deploy version: 1.5.38-0ubuntu1 commands: ceph-deploy name: ceph-mds version: 12.2.4-0ubuntu1 commands: ceph-mds,cephfs-data-scan,cephfs-journal-tool,cephfs-table-tool name: cereal version: 0.24-1 commands: cereal,cereal-admin name: cernlib-base-dev version: 20061220+dfsg3-4.3ubuntu1 commands: cernlib name: certbot version: 0.23.0-1 commands: certbot,letsencrypt name: certmaster version: 0.25-1.1 commands: certmaster-ca,certmaster-request,certmasterd name: certmonger version: 0.79.5-3ubuntu1 commands: certmaster-getcert,certmonger,getcert,ipa-getcert,local-getcert,selfsign-getcert name: certspotter version: 0.8-1 commands: certspotter,submitct name: cervisia version: 4:17.12.3-0ubuntu1 commands: cervisia name: cewl version: 5.3-1 commands: cewl,fab-cewl name: cfengine2 version: 2.2.10-7 commands: cfagent,cfdoc,cfenvd,cfenvgraph,cfetool,cfetoolgraph,cfexecd,cfkey,cfrun,cfservd,cfshow name: cfengine3 version: 3.10.2-4build1 commands: cf-agent,cf-execd,cf-key,cf-monitord,cf-promises,cf-runagent,cf-serverd,cf-upgrade name: cfget version: 0.19-1.1 commands: cfget name: cfingerd version: 1.4.3-3.2ubuntu1 commands: cfingerd,userlist name: cflow version: 1:1.4+dfsg1-3ubuntu1 commands: cflow name: cfourcc version: 0.1.2-9 commands: cfourcc name: cfv version: 1.18.3-2 commands: cfv name: cg3 version: 1.0.0~r12254-1ubuntu3 commands: cg-comp,cg-conv,cg-mwesplit,cg-proc,cg-relabel,cg-strictify,cg3,cg3-autobin.pl,vislcg3 name: cgdb version: 0.6.7-2build3 commands: cgdb name: cgminer version: 4.9.2-1build1 commands: cgminer,cgminer-api name: cgns-convert version: 3.3.0-5 commands: adf2hdf,aflr3_to_cgns,calcwish,cgiowish,cgns_to_aflr3,cgns_to_fast,cgns_to_plot3d,cgns_to_tecplot,cgns_to_vtk,cgns_unitconv,cgnscalc,cgnscheck,cgnscompress,cgnsconvert,cgnsdiff,cgnslist,cgnsnames,cgnsnodes,cgnsplot,cgnsupdate,cgnsview,convert_dataclass,convert_location,convert_variables,extract_subset,fast_to_cgns,hdf2adf,interpolate_cgns,patran_to_cgns,plot3d_to_cgns,plotwish,tecplot_to_cgns,tetgen_to_cgns,vgrid_to_cgns name: cgoban version: 1.9.14-18 commands: cgoban,grab_cgoban name: cgroup-lite version: 1.15 commands: cgroups-mount,cgroups-umount name: cgroup-tools version: 0.41-8ubuntu2 commands: cgclassify,cgclear,cgconfigparser,cgcreate,cgdelete,cgexec,cgget,cgrulesengd,cgset,cgsnapshot,lscgroup,lssubsys name: cgroupfs-mount version: 1.4 commands: cgroupfs-mount,cgroupfs-umount name: cgvg version: 1.6.2-2.2 commands: cg,vg name: cgview version: 0.0.20100111-3 commands: cgview name: chake version: 0.17-1 commands: chake name: chalow version: 1.0-4 commands: chalow name: changetrack version: 4.7-5 commands: changetrack name: chaosreader version: 0.96-3 commands: chaosreader name: charactermanaj version: 0.998+git20150728.a826ad85-1 commands: charactermanaj name: charliecloud version: 0.2.3~git20171120.1a5609e-2 commands: ch-build,ch-build2dir,ch-docker-run,ch-docker2tar,ch-run,ch-ssh,ch-tar2dir name: charmap.app version: 0.3~rc1-3build2 commands: Charmap name: charmtimetracker version: 1.11.4-2 commands: charmtimetracker name: charon-cmd version: 5.6.2-1ubuntu2 commands: charon-cmd name: charon-systemd version: 5.6.2-1ubuntu2 commands: charon-systemd name: charybdis version: 3.5.5-2build2 commands: charybdis-bantool,charybdis-genssl,charybdis-ircd,charybdis-mkpasswd,charybdis-viconf,charybdis-vimotd name: chase version: 0.5.2-4build3 commands: chase name: chasen version: 2.4.5-40 commands: chasen name: chasen-dictutils version: 2.4.5-40 commands: chasen-config name: chasquid version: 0.04-1 commands: chasquid,chasquid-util,mda-lmtp,smtp-check name: chaussette version: 1.3.0-1 commands: chaussette name: check version: 0.10.0-3build2 commands: checkmk name: check-all-the-things version: 2017.05.20 commands: check-all-the-things,check-font-embedding-restrictions name: check-manifest version: 0.36-2 commands: check-manifest name: check-mk-agent version: 1.2.8p16-1ubuntu0.1 commands: check_mk_agent,mk-job name: check-mk-livestatus version: 1.2.8p16-1ubuntu0.1 commands: unixcat name: check-mk-server version: 1.2.8p16-1ubuntu0.1 commands: check_mk,cmk,mkp name: check-postgres version: 2.23.0-1 commands: check_postgres,check_postgres_archive_ready,check_postgres_autovac_freeze,check_postgres_backends,check_postgres_bloat,check_postgres_checkpoint,check_postgres_cluster_id,check_postgres_commitratio,check_postgres_connection,check_postgres_custom_query,check_postgres_database_size,check_postgres_dbstats,check_postgres_disabled_triggers,check_postgres_disk_space,check_postgres_fsm_pages,check_postgres_fsm_relations,check_postgres_hitratio,check_postgres_hot_standby_delay,check_postgres_index_size,check_postgres_indexes_size,check_postgres_last_analyze,check_postgres_last_autoanalyze,check_postgres_last_autovacuum,check_postgres_last_vacuum,check_postgres_listener,check_postgres_locks,check_postgres_logfile,check_postgres_new_version_bc,check_postgres_new_version_box,check_postgres_new_version_cp,check_postgres_new_version_pg,check_postgres_new_version_tnm,check_postgres_pgagent_jobs,check_postgres_pgb_pool_cl_active,check_postgres_pgb_pool_cl_waiting,check_postgres_pgb_pool_maxwait,check_postgres_pgb_pool_sv_active,check_postgres_pgb_pool_sv_idle,check_postgres_pgb_pool_sv_login,check_postgres_pgb_pool_sv_tested,check_postgres_pgb_pool_sv_used,check_postgres_pgbouncer_backends,check_postgres_pgbouncer_checksum,check_postgres_prepared_txns,check_postgres_query_runtime,check_postgres_query_time,check_postgres_relation_size,check_postgres_replicate_row,check_postgres_replication_slots,check_postgres_same_schema,check_postgres_sequence,check_postgres_settings_checksum,check_postgres_slony_status,check_postgres_table_size,check_postgres_timesync,check_postgres_total_relation_size,check_postgres_txn_idle,check_postgres_txn_time,check_postgres_txn_wraparound,check_postgres_version,check_postgres_wal_files name: checkbot version: 1.80-3 commands: checkbot name: checkgmail version: 1.13+svn43-4fakesync1 commands: checkgmail name: checkinstall version: 1.6.2-4ubuntu2 commands: checkinstall,installwatch name: checkit-tiff version: 0.2.3-2 commands: checkit_tiff name: checkpolicy version: 2.7-1 commands: checkmodule,checkpolicy name: checkpw version: 1.02-1.1build1 commands: checkapoppw,checkpw name: checkstyle version: 8.8-1 commands: checkstyle name: chef version: 12.14.60-3ubuntu1 commands: chef-apply,chef-client,chef-shell,chef-solo,knife name: chef-zero version: 5.1.1-1 commands: chef-zero name: chemeq version: 2.12-3 commands: chemeq name: chemical-structures version: 2.2.dfsg.0-12 commands: chemstruc name: chemps2 version: 1.8.5-1 commands: chemps2 name: chemtool version: 1.6.14-2 commands: chemtool,cht name: cherrytree version: 0.37.6-1.1 commands: cherrytree name: chess.app version: 2.8-1build1 commands: Chess name: chessx version: 1.4.6-1 commands: chessx name: chewing-editor version: 0.1.1-1 commands: chewing-editor name: chewmail version: 1.3-1 commands: chewmail name: chezdav version: 2.2-2 commands: chezdav name: chezscheme version: 9.5+dfsg-2build2 commands: petite,scheme,scheme-script name: chiark-backup version: 5.0.2 commands: backup-checkallused,backup-driver,backup-labeltape,backup-loaded,backup-snaprsync,backup-takedown,backup-whatsthis name: chiark-really version: 5.0.2 commands: really name: chiark-rwbuffer version: 5.0.2 commands: readbuffer,writebuffer name: chiark-scripts version: 5.0.2 commands: chiark-named-conf,cvs-adjustroot,cvs-repomove,expire-iso8601,genspic2gnuplot,git-branchmove,git-cache-proxy,gnucap2genspic,grab-account,hexterm,ngspice2genspic,nntpid,palm-datebook-reminders,random-word,remountresizereiserfs,summarise-mailbox-preserving-privacy,sync-accounts,sync-accounts-createuser name: chiark-utils-bin version: 5.0.2 commands: acctdump,cgi-fcgi-interp,rcopy-repeatedly,summer,watershed,with-lock-ex,xacpi-simple,xbatmon-simple,xduplic-copier name: chicken-bin version: 4.12.0-0.3 commands: chicken,chicken-bug,chicken-install,chicken-profile,chicken-status,chicken-uninstall,csc,csi name: childsplay version: 2.6.5+dfsg-1build1 commands: childsplay name: chimeraslayer version: 20101212+dfsg1-1build1 commands: chimeraslayer name: chinese-calendar version: 1.0.3-0ubuntu2 commands: chinese-calendar,chinese-calendar-autostart name: chipmunk-dev version: 6.1.5-1build1 commands: chipmunk_demos name: chipw version: 2.0.6-1.2build2 commands: chipw name: chirp version: 1:20170714-1 commands: chirpw name: chkrootkit version: 0.52-1 commands: chklastlog,chkrootkit,chkwtmp name: chkservice version: 0.1-2 commands: chkservice name: chktex version: 1.7.6-1ubuntu1 commands: chktex,chkweb,deweb name: chm2pdf version: 0.9.1-1.2ubuntu1 commands: chm2pdf name: chntpw version: 1.0-1build1 commands: chntpw,reged,sampasswd,samusrgrp name: chocolate-doom version: 3.0.0-4 commands: chocolate-doom,chocolate-doom-setup,chocolate-heretic,chocolate-heretic-setup,chocolate-hexen,chocolate-hexen-setup,chocolate-server,chocolate-setup,chocolate-strife,chocolate-strife-setup,doom,heretic,hexen,strife name: choosewm version: 0.1.6-3build1 commands: choosewm,x-session-manager name: choqok version: 1.6-1.isreally.1.6-2.1 commands: choqok name: chordii version: 4.5.3+repack-0.1 commands: a2crd,chordii name: choreonoid version: 1.5.0+dfsg-0.1build3 commands: choreonoid name: chroma version: 0.4.0+git20180402.51d250f-1 commands: chroma name: chrome-gnome-shell version: 10-1 commands: chrome-gnome-shell name: chromium-bsu version: 0.9.16.1-1 commands: chromium-bsu name: chronicle version: 4.6-2 commands: chronicle,chronicle-entry-filter,chronicle-ping,chronicle-rss-importer,chronicle-spooler name: chrootuid version: 1.3-6build1 commands: chrootuid name: chrpath version: 0.16-2 commands: chrpath name: chuck version: 1.2.0.8.dfsg-1.5 commands: chuck,chuck.alsa,chuck.oss name: cifer version: 1.2.0-0ubuntu4 commands: cifer,cifer-dict name: cigi-ccl-examples version: 3.3.3a+svn818-10ubuntu2 commands: CigiDummyIG,CigiMiniHost name: cil version: 0.07.00-11 commands: cil name: cinnamon version: 3.6.7-8ubuntu1 commands: cinnamon,cinnamon-desktop-editor,cinnamon-extension-tool,cinnamon-file-dialog,cinnamon-json-makepot,cinnamon-killer-daemon,cinnamon-launcher,cinnamon-looking-glass,cinnamon-menu-editor,cinnamon-preview-gtk-theme,cinnamon-screensaver-lock-dialog,cinnamon-session-cinnamon,cinnamon-session-cinnamon2d,cinnamon-settings,cinnamon-settings-users,cinnamon-slideshow,cinnamon-subprocess-wrapper,cinnamon2d,xlet-settings name: cinnamon-control-center version: 3.6.5-2 commands: cinnamon-control-center name: cinnamon-screensaver version: 3.6.1-2 commands: cinnamon-screensaver,cinnamon-screensaver-command name: cinnamon-session version: 3.6.1-1 commands: cinnamon-session,cinnamon-session-quit,x-session-manager name: ciopfs version: 0.4-0ubuntu2 commands: ciopfs,mount.ciopfs name: cipux-object-tools version: 3.4.0.5-2.1 commands: cipux_object_client name: cipux-passwd version: 3.4.0.3-2.1 commands: cipuxpasswd name: cipux-rpc-tools version: 3.4.0.9-3.1 commands: cipux_mkcertkey,cipux_rpc_list,cipux_rpc_test_client name: cipux-rpcd version: 3.4.0.9-3.1 commands: cipux_rpcd name: cipux-storage-tools version: 3.4.0.2-6.1 commands: cipux_storage_client name: cipux-task-tools version: 3.4.0.7-4.2 commands: cipux_task_client name: circlator version: 1.5.5-1 commands: circlator name: circos version: 0.69.6+dfsg-1 commands: circos name: circus version: 0.12.1+dfsg-1 commands: circus-plugin,circus-top,circusctl,circusd,circusd-stats name: circuslinux version: 1.0.3-33 commands: circuslinux name: ciso version: 1.0.0-0ubuntu3 commands: ciso name: citadel-client version: 916-1 commands: citadel name: citadel-server version: 917-2 commands: citmail,citserver,ctdlmigrate,sendcommand,sendmail name: citadel-webcit version: 917-dfsg-2 commands: webcit name: cjs version: 3.6.1-0ubuntu1 commands: cjs,cjs-console name: ckbuilder version: 2.3.0+dfsg-2 commands: ckbuilder name: ckon version: 0.7.1-3build6 commands: ckon name: ckport version: 0.1~rc1-7 commands: ckport name: cksfv version: 1.3.14-2build1 commands: cksfv name: cl-launch version: 4.1.4-1 commands: cl,cl-launch name: clamassassin version: 1.2.4-1 commands: clamassassin name: clamav-milter version: 0.99.4+addedllvm-0ubuntu1 commands: clamav-milter name: clamav-unofficial-sigs version: 3.7.2-2 commands: clamav-unofficial-sigs name: clamfs version: 1.0.1-3build2 commands: clamfs name: clamsmtp version: 1.10-17ubuntu1 commands: clamsmtpd name: clamtk version: 5.25-1 commands: clamtk name: clamz version: 0.5-2build2 commands: clamz name: clang version: 1:6.0-41~exp4 commands: c++,c89,c99,cc,clang,clang++ name: clang-3.9 version: 1:3.9.1-19ubuntu1 commands: asan_symbolize-3.9,c-index-test-3.9,clang++-3.9,clang-3.9,clang-apply-replacements-3.9,clang-check-3.9,clang-cl-3.9,clang-include-fixer-3.9,clang-query-3.9,clang-rename-3.9,find-all-symbols-3.9,modularize-3.9,sancov-3.9,scan-build-3.9,scan-build-py-3.9,scan-view-3.9 name: clang-4.0 version: 1:4.0.1-10 commands: asan_symbolize-4.0,clang++-4.0,clang-4.0,clang-cpp-4.0 name: clang-5.0 version: 1:5.0.1-4 commands: asan_symbolize-5.0,clang++-5.0,clang-5.0,clang-cpp-5.0 name: clang-6.0 version: 1:6.0-1ubuntu2 commands: asan_symbolize-6.0,clang++-6.0,clang-6.0,clang-cpp-6.0 name: clang-format-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-format-3.9,clang-format-diff-3.9,git-clang-format-3.9 name: clang-format-4.0 version: 1:4.0.1-10 commands: clang-format-4.0,clang-format-diff-4.0,git-clang-format-4.0 name: clang-format-5.0 version: 1:5.0.1-4 commands: clang-format-5.0,clang-format-diff-5.0,git-clang-format-5.0 name: clang-format-6.0 version: 1:6.0-1ubuntu2 commands: clang-format-6.0,clang-format-diff-6.0,git-clang-format-6.0 name: clang-tidy-3.9 version: 1:3.9.1-19ubuntu1 commands: clang-tidy-3.9,clang-tidy-diff-3.9.py,run-clang-tidy-3.9.py name: clang-tidy-4.0 version: 1:4.0.1-10 commands: clang-tidy-4.0,clang-tidy-diff-4.0.py,run-clang-tidy-4.0.py name: clang-tidy-5.0 version: 1:5.0.1-4 commands: clang-tidy-5.0,clang-tidy-diff-5.0.py,run-clang-tidy-5.0.py name: clang-tidy-6.0 version: 1:6.0-1ubuntu2 commands: clang-tidy-6.0,clang-tidy-diff-6.0.py,run-clang-tidy-6.0.py name: clang-tools-4.0 version: 1:4.0.1-10 commands: c-index-test-4.0,clang-apply-replacements-4.0,clang-change-namespace-4.0,clang-check-4.0,clang-cl-4.0,clang-import-test-4.0,clang-include-fixer-4.0,clang-offload-bundler-4.0,clang-query-4.0,clang-rename-4.0,clang-reorder-fields-4.0,find-all-symbols-4.0,modularize-4.0,sancov-4.0,scan-build-4.0,scan-build-py-4.0,scan-view-4.0 name: clang-tools-5.0 version: 1:5.0.1-4 commands: c-index-test-5.0,clang-apply-replacements-5.0,clang-change-namespace-5.0,clang-check-5.0,clang-cl-5.0,clang-import-test-5.0,clang-include-fixer-5.0,clang-offload-bundler-5.0,clang-query-5.0,clang-rename-5.0,clang-reorder-fields-5.0,clangd-5.0,find-all-symbols-5.0,modularize-5.0,sancov-5.0,scan-build-5.0,scan-build-py-5.0,scan-view-5.0 name: clang-tools-6.0 version: 1:6.0-1ubuntu2 commands: c-index-test-6.0,clang-apply-replacements-6.0,clang-change-namespace-6.0,clang-check-6.0,clang-cl-6.0,clang-func-mapping-6.0,clang-import-test-6.0,clang-include-fixer-6.0,clang-offload-bundler-6.0,clang-query-6.0,clang-refactor-6.0,clang-rename-6.0,clang-reorder-fields-6.0,clangd-6.0,find-all-symbols-6.0,modularize-6.0,sancov-6.0,scan-build-6.0,scan-build-py-6.0,scan-view-6.0 name: clasp version: 3.3.3-3 commands: clasp name: classicmenu-indicator version: 0.10.1-0ubuntu1 commands: classicmenu-indicator name: classified-ads version: 0.12-1build1 commands: classified-ads name: classmate-tools version: 0.2-0ubuntu8 commands: classmate-screen-switch name: claws-mail version: 3.16.0-1 commands: claws-mail name: claws-mail-perl-filter version: 3.16.0-1 commands: matcherrc2perlfilter name: clawsker version: 1.1.1-1 commands: clawsker name: clblas-client version: 2.12-1build1 commands: clBLAS-client name: clc-intercal version: 1:1.0~4pre1.-94.-2-5 commands: intercalc,sick,theft-server name: cldump version: 0.11~dfsg-1build1 commands: cldump name: cleancss version: 1.0.12-2 commands: cleancss name: clearcut version: 1.0.9-2 commands: clearcut name: clearsilver-dev version: 0.10.5-3 commands: cstest name: clementine version: 1.3.1+git276-g3485bbe43+dfsg-1.1build1 commands: clementine,clementine-tagreader name: cleo version: 0.004-2 commands: cleo name: clevis version: 8-1 commands: clevis,clevis-decrypt,clevis-decrypt-http,clevis-decrypt-sss,clevis-decrypt-tang,clevis-encrypt-http,clevis-encrypt-sss,clevis-encrypt-tang name: clevis-luks version: 8-1 commands: clevis-bind-luks,clevis-luks-bind,clevis-luks-unlock name: clex version: 4.6.patch7-2 commands: cfg-clex,clex,kbd-test name: clfft-client version: 2.12.2-1build2 commands: clFFT-client name: clfswm version: 20111015.git51b0a02-2 commands: clfswm,x-window-manager name: cli-common-dev version: 0.9+nmu1 commands: dh_auto_build_nant,dh_auto_clean_nant,dh_clideps,dh_clifixperms,dh_cligacpolicy,dh_clistrip,dh_installcliframework,dh_installcligac,dh_makeclilibs name: cli-spinner version: 0.0~git20150423.610063b-3 commands: cli-spinner name: clif version: 0.93-9.1build1 commands: clif name: cligh version: 0.3-3 commands: cligh name: clinfo version: 2.2.18.03.26-1 commands: clinfo name: clipf version: 0.5-1 commands: clipf name: clipit version: 1.4.2-1.2 commands: clipit name: cliquer version: 1.21-2 commands: cliquer name: clirr version: 0.6-7 commands: clirr name: clitest version: 0.3.0-2 commands: clitest name: cloc version: 1.74-1 commands: cloc name: clog version: 1.3.0-1 commands: clog name: clojure version: 1.9.0-2 commands: clojure,clojure1.9,clojurec,clojurec1.9 name: clojure1.8 version: 1.8.0-5 commands: clojure,clojure1.8,clojurec,clojurec1.8 name: clonalframe version: 1.2-7 commands: ClonalFrame name: clonalframeml version: 1.11-1 commands: ClonalFrameML name: clonalorigin version: 1.0-2 commands: blocksplit,clonalorigin,computeMedians,makeMauveWargFile,warg name: clonezilla version: 3.27.16-2 commands: clonezilla,cnvt-ocs-dev,create-debian-live,create-drbl-live,create-drbl-live-by-pkg,create-gparted-live,create-ocs-tmp-img,create-ubuntu-live,cv-ocsimg-v1-to-v2,drbl-ocs,drbl-ocs-live-prep,get-latest-ocs-live-ver,ocs-btsrv,ocs-chkimg,ocs-chnthn,ocs-clean-part-fs,ocs-cnvt-usb-zip-to-dsk,ocs-cvt-dev,ocs-cvtimg-comp,ocs-decrypt-img,ocs-encrypt-img,ocs-expand-gpt-pt,ocs-expand-mbr-pt,ocs-gen-bt-slices,ocs-gen-grub2-efi-bldr,ocs-get-part-info,ocs-img-2-vdk,ocs-install-grub,ocs-iso,ocs-label-dev,ocs-lang-kbd-conf,ocs-langkbdconf-bterm,ocs-live,ocs-live-bind-mount,ocs-live-boot-menu,ocs-live-bug-report,ocs-live-dev,ocs-live-feed-img,ocs-live-final-action,ocs-live-general,ocs-live-get-img,ocs-live-netcfg,ocs-live-preload,ocs-live-repository,ocs-live-restore,ocs-live-run-menu,ocs-live-save,ocs-lvm2-start,ocs-lvm2-stop,ocs-makeboot,ocs-match-checksum,ocs-onthefly,ocs-prep-home,ocs-put-signed-grub2-efi-bldr,ocs-related-srv,ocs-resize-part,ocs-restore-ebr,ocs-restore-mbr,ocs-restore-mdisks,ocs-rm-win-swap-hib,ocs-run-boot-param,ocs-scan-disk,ocs-socket,ocs-sr,ocs-srv-live,ocs-tune-conf-for-s3-swift,ocs-tune-conf-for-webdav,ocs-tux-postprocess,ocs-update-initrd,ocs-update-syslinux,ocsmgrd,prep-ocsroot,update-efi-nvram-boot-entry name: cloog-isl version: 0.18.4-2 commands: cloog,cloog-isl name: cloog-ppl version: 0.16.1-8 commands: cloog,cloog-ppl name: cloop-utils version: 3.14.1.2ubuntu1 commands: create_compressed_fs,extract_compressed_fs name: closure-compiler version: 20130227+dfsg1-10 commands: closure-compiler name: closure-linter version: 2.3.19-1 commands: fixjsstyle,gjslint name: cloud-utils-euca version: 0.30-0ubuntu5 commands: cloud-publish-image,cloud-publish-tarball,cloud-publish-ubuntu,ubuntu-ec2-run name: cloudprint version: 0.14-9 commands: cloudprint name: cloudprint-service version: 0.14-9 commands: cloudprintd,cps-auth name: clustalo version: 1.2.4-1 commands: clustalo name: clustalw version: 2.1+lgpl-5 commands: clustalw name: clustershell version: 1.8-1 commands: clubak,cluset,clush,nodeset name: clusterssh version: 4.13-1 commands: ccon,clusterssh,crsh,csftp,cssh,ctel name: clvm version: 2.02.176-4.1ubuntu3 commands: clvmd,cmirrord name: clzip version: 1.10-1 commands: clzip,lzip,lzip.clzip name: cmake-curses-gui version: 3.10.2-1ubuntu2 commands: ccmake name: cmake-qt-gui version: 3.10.2-1ubuntu2 commands: cmake-gui name: cmark version: 0.26.1-1 commands: cmark name: cmatrix version: 1.2a-5build3 commands: cmatrix name: cmdtest version: 0.32-1 commands: cmdtest,yarn name: cme version: 1.026-1 commands: cme,dh_cme_upgrade name: cmigemo version: 1:1.2+gh0.20150404-6 commands: cmigemo name: cmigemo-common version: 1:1.2+gh0.20150404-6 commands: update-cmigemo-dict name: cmis-client version: 0.5.1+git20160603-3build2 commands: cmis-client name: cmst version: 2018.01.06-2 commands: cmst name: cmtk version: 3.3.1-1.2build1 commands: cmtk name: cmus version: 2.7.1+git20160225-1build3 commands: cmus,cmus-remote name: cnee version: 3.19-2 commands: cnee name: cntlm version: 0.92.3-1ubuntu2 commands: cntlm name: cobertura version: 2.1.1-1 commands: cobertura-check,cobertura-instrument,cobertura-merge,cobertura-report name: cobra version: 0.0.1-1.1 commands: cobra name: coccinella version: 0.96.20-8 commands: coccinella name: coccinelle version: 1.0.4.deb-3build4 commands: pycocci,spatch name: cockpit-bridge version: 164-1 commands: cockpit-bridge name: cockpit-ws version: 164-1 commands: remotectl name: coco-cpp version: 20120102-1build1 commands: cococpp name: coco-cs version: 20110419-5.1 commands: cococs name: coco-java version: 20110419-3.1 commands: cocoj name: code-aster-gui version: 1.13.1-2 commands: as_client,astk,bsf,codeaster-client,codeaster-gui name: code-aster-run version: 1.13.1-2 commands: as_run,codeaster,codeaster-get,codeaster-parallel_cp,update-codeaster-engines name: code-of-conduct-signing-assistant version: 0.3-0ubuntu4 commands: code-of-conduct-signing-assistant name: code-saturne-bin version: 4.3.3+repack-1build1 commands: code_saturne,ple-config name: code2html version: 0.9.1-4.1 commands: code2html name: codeblocks version: 16.01+dfsg-2.1 commands: cb_console_runner,cb_share_config,codeblocks name: codec2 version: 0.7-1 commands: c2dec,c2demo,c2enc,c2sim,insert_errors name: codecgraph version: 20120114-3 commands: codecgraph name: codecrypt version: 1.8-1 commands: ccr name: codegroup version: 19981025-7 commands: codegroup name: codelite version: 10.0+dfsg-2 commands: codelite,codelite-make,codelite_fix_files name: codequery version: 0.21.0+dfsg1-1 commands: codequery,cqmakedb,cqsearch name: coderay version: 1.1.2-2 commands: coderay name: codesearch version: 0.0~hg20120502-3 commands: cgrep,cindex,csearch name: codespell version: 1.8-1 commands: codespell name: codeville version: 0.8.0-2.1 commands: cdv,cdv-agent,cdvpasswd,cdvserver,cdvupgrade name: codfis version: 0.4.7-2build1 commands: codfis name: codonw version: 1.4.4-3 commands: codonw,codonw-aau,codonw-base3s,codonw-bases,codonw-cai,codonw-cbi,codonw-cu,codonw-cutab,codonw-cutot,codonw-dinuc,codonw-enc,codonw-fop,codonw-gc,codonw-gc3s,codonw-raau,codonw-reader,codonw-rscu,codonw-tidy,codonw-transl name: coffeescript version: 1.12.7~dfsg-3 commands: cake.coffeescript,coffee name: coinor-cbc version: 2.9.9+repack1-1 commands: cbc name: coinor-clp version: 1.16.11+repack1-1 commands: clp name: coinor-csdp version: 6.1.1-1build2 commands: csdp,csdp-complement,csdp-graphtoprob,csdp-randgraph,csdp-theta name: coinor-symphony version: 5.6.16+repack1-1 commands: symphony name: collatinus version: 10.2-2build1 commands: collatinus name: collectd-core version: 5.7.2-2ubuntu1 commands: collectd,collectdmon name: collectd-utils version: 5.7.2-2ubuntu1 commands: collectd-nagios,collectd-tg,collectdctl name: collectl version: 4.0.5-1 commands: collectl,colmux name: colobot version: 0.1.11-1 commands: colobot name: colorcode version: 0.8.5-1build1 commands: colorcode name: colord-gtk-utils version: 0.1.26-2 commands: cd-convert name: colord-kde version: 0.5.0-2 commands: colord-kde-icc-importer name: colordiff version: 1.0.18-1 commands: cdiff,colordiff name: colorhug-client version: 0.2.8-3 commands: colorhug-backlight,colorhug-ccmx,colorhug-cmd,colorhug-flash,colorhug-refresh name: colorize version: 0.63-1 commands: colorize name: colorized-logs version: 2.3-1 commands: ansi2html,ansi2txt,lesstty,pipetty,ttyrec2ansi name: colormake version: 0.9.20140504-3 commands: clmake,clmake-short,colormake,colormake-short name: colortail version: 0.3.3-1build1 commands: colortail name: colortest version: 20110624-6 commands: colortest-16,colortest-16b,colortest-256,colortest-8 name: colortest-python version: 2.2-1 commands: colortest-python name: colossal-cave-adventure version: 1.4-1 commands: adventure,colossal-cave-adventure name: colplot version: 5.0.1-4 commands: colplot name: comet-ms version: 2017014-2 commands: comet-ms name: comgt version: 0.32-3 commands: comgt,sigmon name: comitup version: 1.2.3-1 commands: comitup,comitup-cli,comitup-web name: commit-patch version: 2.5-1 commands: commit-partial,commit-patch name: common-lisp-controller version: 7.10+nmu1 commands: clc-clbuild,clc-lisp,clc-register-user-package,clc-slime,clc-unregister-user-package,clc-update-customized-images,register-common-lisp-implementation,register-common-lisp-source,unregister-common-lisp-implementation,unregister-common-lisp-source name: comparepdf version: 1.0.1-1.1 commands: comparepdf name: compartment version: 1.1.0-5 commands: compartment name: compface version: 1:1.5.2-5build1 commands: compface,uncompface name: compiz-core version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: compiz,compiz-decorator name: compiz-gnome version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: gtk-window-decorator name: compizconfig-settings-manager version: 1:0.9.13.1+18.04.20180302-0ubuntu1 commands: ccsm name: complexity version: 1.10+dfsg-1 commands: complexity name: composer version: 1.6.3-1 commands: composer name: comprez version: 2.7.1-2 commands: comprez name: comptext version: 1.0.1-2 commands: comptext name: compton version: 0.1~beta2+20150922-1 commands: compton,compton-trans name: compton-conf version: 0.3.0-5 commands: compton-conf name: comptty version: 1.0.1-2 commands: comptty name: concalc version: 0.9.2-2build1 commands: concalc name: concavity version: 0.1+dfsg.1-1 commands: concavity name: concordance version: 1.2-1build2 commands: concordance name: confclerk version: 0.6.4-1 commands: confclerk name: confget version: 2.1.0-1 commands: confget name: config-package-dev version: 5.5 commands: dh_configpackage name: configure-debian version: 1.0.3 commands: configure-debian name: congress-common version: 7.0.0-0ubuntu1 commands: congress-cfg-validator-agt,congress-db-manage,congress-server name: congruity version: 18-4 commands: congruity,mhgui name: conjugar version: 0.8.3-1 commands: conjugar name: conky-all version: 1.10.8-1 commands: conky name: conky-cli version: 1.10.8-1 commands: conky name: conky-std version: 1.10.8-1 commands: conky name: conman version: 0.2.7-1build1 commands: conman,conmand,conmen name: conmux version: 0.12.0-1ubuntu2 commands: conmux,conmux-attach,conmux-console,conmux-registry name: connect-proxy version: 1.105-1 commands: connect,connect-proxy name: connectagram version: 1.2.4-1 commands: connectagram name: connectome-workbench version: 1.2.3+git41-gc4c6c90-2 commands: wb_command,wb_shortcuts,wb_view name: connectomeviewer version: 2.1.0-1.1 commands: connectomeviewer name: connman version: 1.35-6 commands: connmanctl,connmand,connmand-wait-online name: connman-ui version: 0~20130115-1build1 commands: connman-ui-gtk name: connman-vpn version: 1.35-6 commands: connman-vpnd name: conntrackd version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: conntrackd name: cons version: 2.3.0.1+2.2.0-2 commands: cons name: conservation-code version: 20110309.0-6 commands: score_conservation name: consolation version: 0.0.6-2 commands: consolation name: console-braille version: 1.7 commands: gen-psf-block,setbrlkeys name: console-common version: 0.7.89 commands: install-keymap,kbd-config name: console-conf version: 0.0.29 commands: console-conf name: console-cyrillic version: 0.9-17 commands: cyr,displayfont,dumppsf,makeacm,mkvgafont,raw2psf name: console-setup-mini version: 1.178ubuntu2 commands: ckbcomp,ckbcomp-mini,setupcon name: conspy version: 1.14-1build1 commands: conspy name: consul version: 0.6.4~dfsg-3 commands: consul name: containerd version: 0.2.5-0ubuntu2 commands: containerd,containerd-shim,ctr name: context version: 2017.05.15.20170613-2 commands: context,contextjit,luatools,mtxrun,mtxrunjit,pdftrimwhite,texexec,texfind,texfont,texmfstart name: contextfree version: 3.0.11.5+dfsg1-1build1 commands: cfdg name: conv-tools version: 20160905-2 commands: dirconv,mixconv name: converseen version: 0.9.6.2-2 commands: converseen name: convert-pgn version: 0.29.6.3-1 commands: convert_pgn name: convertall version: 0.6.1-2 commands: convertall name: convlit version: 1.8-1build1 commands: clit name: convmv version: 2.04-1 commands: convmv name: cookiecutter version: 1.6.0-2 commands: cookiecutter name: cookietool version: 2.5-6 commands: cdbdiff,cdbsplit,cookietool name: coolmail version: 1.3-12 commands: coolmail name: coop-computing-tools version: 4.0-2 commands: allpairs_master,allpairs_multicore,catalog_server,catalog_update,chirp,chirp_audit_cluster,chirp_benchmark,chirp_distribute,chirp_fuse,chirp_get,chirp_put,chirp_server,chirp_status,chirp_stream_files,condor_submit_makeflow,condor_submit_workers,ec2_remove_workers,ec2_submit_workers,makeflow,makeflow_log_parser,makeflow_monitor,mpi_queue_worker,pbs_submit_workers,resource_monitor,resource_monitorv,sand_align_kernel,sand_align_master,sand_compress_reads,sand_filter_kernel,sand_filter_master,sand_runCA_5.4,sand_runCA_6.1,sand_runCA_7.0,sand_uncompress_reads,sge_submit_workers,starch,torque_submit_workers,wavefront,wavefront_master,work_queue_example,work_queue_pool,work_queue_status,work_queue_worker name: copyfs version: 1.0.1-5build1 commands: copyfs-daemon,copyfs-fversion,copyfs-mount name: copyq version: 3.2.0-1 commands: copyq name: copyright-update version: 2016.1018-2 commands: copyright-update name: coq version: 8.6-5build1 commands: coq-tex,coq_makefile,coqc,coqchk,coqdep,coqdoc,coqtop,coqtop.byte,coqwc,coqworkmgr,gallina name: coqide version: 8.6-5build1 commands: coqide name: coquelicot version: 0.9.6-1ubuntu1 commands: coquelicot name: corebird version: 1.7.4-2 commands: corebird name: corkscrew version: 2.0-11 commands: corkscrew name: corosync-notifyd version: 2.4.3-0ubuntu1 commands: corosync-notifyd name: corosync-qdevice version: 2.4.3-0ubuntu1 commands: corosync-qdevice,corosync-qdevice-net-certutil,corosync-qdevice-tool name: corosync-qnetd version: 2.4.3-0ubuntu1 commands: corosync-qnetd,corosync-qnetd-certutil,corosync-qnetd-tool name: cortina version: 1.1.1-1ubuntu1 commands: cortina name: coturn version: 4.5.0.7-1ubuntu2 commands: turnadmin,turnserver,turnutils_natdiscovery,turnutils_oauth,turnutils_peer,turnutils_stunclient,turnutils_uclient name: couchapp version: 1.0.2+dfsg1-1 commands: couchapp name: courier-authdaemon version: 0.68.0-4build1 commands: authdaemond name: courier-authlib version: 0.68.0-4build1 commands: authenumerate,authpasswd,authtest,courierlogger name: courier-authlib-dev version: 0.68.0-4build1 commands: courierauthconfig name: courier-authlib-userdb version: 0.68.0-4build1 commands: makeuserdb,pw2userdb,userdb,userdb-test-cram-md5,userdbpw name: courier-base version: 0.78.0-2ubuntu2 commands: courier-config,couriertcpd,couriertls,deliverquota,deliverquota.courier,maildiracl,maildirkw,maildirmake,maildirmake.courier,makedat,makedat.courier,makeimapaccess,mkdhparams,sharedindexinstall,sharedindexsplit,testmxlookup name: courier-filter-perl version: 0.200+ds-4 commands: test-filter-module name: courier-imap version: 4.18.1+0.78.0-2ubuntu2 commands: imapd,imapd-ssl,mkimapdcert name: courier-ldap version: 0.78.0-2ubuntu2 commands: courierldapaliasd name: courier-mlm version: 0.78.0-2ubuntu2 commands: couriermlm,webmlmd,webmlmd.rc name: courier-mta version: 0.78.0-2ubuntu2 commands: addcr,aliaslookup,cancelmsg,courier,courier-mtaconfig,courieresmtpd,courierfilter,dotforward,esmtpd,esmtpd-msa,esmtpd-ssl,filterctl,lockmail,lockmail.courier,mailq,makeacceptmailfor,makealiases,makehosteddomains,makepercentrelay,makesmtpaccess,makesmtpaccess-msa,makeuucpneighbors,mkesmtpdcert,newaliases,preline,preline.courier,rmail,sendmail name: courier-pop version: 0.78.0-2ubuntu2 commands: mkpop3dcert,pop3d,pop3d-ssl name: couriergraph version: 0.25-4.4 commands: couriergraph.pl name: covered version: 0.7.10-3build1 commands: covered name: cowbell version: 0.2.7.1-7build1 commands: cowbell name: cowbuilder version: 0.86 commands: cowbuilder name: cowdancer version: 0.86 commands: cow-shell,cowdancer-ilistcreate,cowdancer-ilistdump name: cowsay version: 3.03+dfsg2-4 commands: cowsay,cowthink name: coyim version: 0.3.8+ds-5 commands: coyim name: coz-profiler version: 0.1.0-2 commands: coz name: cp2k version: 5.1-3 commands: cp2k,cp2k.popt,cp2k_shell,cp2k_shell.popt name: cpan-listchanges version: 0.07-1 commands: cpan-listchanges name: cpanminus version: 1.7043-1 commands: cpanm name: cpanoutdated version: 0.32-1 commands: cpan-outdated name: cpants-lint version: 0.05-5 commands: cpants_lint name: cpipe version: 3.0.1-1ubuntu2 commands: cpipe name: cplay version: 1.50-1 commands: cnq,cplay name: cpluff-loader version: 0.1.4+dfsg1-1build2 commands: cpluff-loader name: cpm version: 0.32-1.2 commands: cpm,create-cpmdb name: cpmtools version: 2.20-2 commands: cpmchattr,cpmchmod,cpmcp,cpmls,cpmrm,fsck.cpm,fsed.cpm,mkfs.cpm name: cpp-4.8 version: 4.8.5-4ubuntu8 commands: cpp-4.8,s390x-linux-gnu-cpp-4.8 name: cpp-5 version: 5.5.0-12ubuntu1 commands: cpp-5,s390x-linux-gnu-cpp-5 name: cpp-6 version: 6.4.0-17ubuntu1 commands: cpp-6,s390x-linux-gnu-cpp-6 name: cpp-8 version: 8-20180414-1ubuntu2 commands: cpp-8,s390x-linux-gnu-cpp-8 name: cppcheck version: 1.82-1 commands: cppcheck,cppcheck-htmlreport name: cppcheck-gui version: 1.82-1 commands: cppcheck-gui name: cpphs version: 1.20.8-1 commands: cpphs name: cppman version: 0.4.8-3 commands: cppman name: cppo version: 1.5.0-2build2 commands: cppo name: cproto version: 4.7m-7 commands: cproto name: cpu version: 1.4.3-12 commands: cpu name: cpufreqd version: 2.4.2-2ubuntu2 commands: cpufreqd,cpufreqd-get,cpufreqd-set name: cpufrequtils version: 008-1build1 commands: cpufreq-aperf,cpufreq-info,cpufreq-set name: cpulimit version: 2.5-1 commands: cpulimit name: cpuset version: 1.5.6-5 commands: cset name: cpustat version: 0.02.04-1 commands: cpustat name: cputool version: 0.0.8-2build1 commands: cputool name: crack version: 5.0a-11build1 commands: Crack,Crack-Reporter name: crack-attack version: 1.1.14-9.1build1 commands: crack-attack name: crack-md5 version: 5.0a-11build1 commands: Crack,Crack-Reporter name: cramfsswap version: 1.4.1.1ubuntu1 commands: cramfsswap name: crashmail version: 1.6-1 commands: crashexport,crashgetnode,crashlist,crashlistout,crashmail,crashmaint,crashstats,crashwrite name: crashme version: 2.8.5-1build1 commands: crashme,pddet name: crasm version: 1.8-1build1 commands: crasm name: crawl version: 2:0.21.1-1 commands: crawl name: crawl-tiles version: 2:0.21.1-1 commands: crawl-tiles name: cream version: 0.43-3 commands: cream,editor name: createfp version: 3.4.5-1 commands: createfp name: createrepo version: 0.10.3-1 commands: createrepo,mergerepo,modifyrepo name: credential-sheets version: 0.0.3-2 commands: credential-sheets name: creduce version: 2.8.0~20180422-1 commands: creduce name: cricket version: 1.0.5-21 commands: cricket-compile name: crimson version: 0.5.2-1.1build1 commands: bi2cf,cf2bmp,cfed,comet,crimson name: crip version: 3.9-1 commands: crip,editcomment,editfilenames name: critcl version: 3.1.9-1build1 commands: critcl name: criticalmass version: 1:1.0.0-6 commands: Packer,criticalmass,critter name: critterding version: 1.0-beta12.1-1.3 commands: critterding name: criu version: 3.6-2 commands: compel,crit,criu name: crm114 version: 20100106-7 commands: crm,cssdiff,cssmerge,cssutil,osbf-util name: crmsh version: 3.0.1-3ubuntu1 commands: crm name: cron-apt version: 0.12.0 commands: cron-apt name: cron-deja-vu version: 0.4-5.1 commands: cron-deja-vu name: cronic version: 3-1 commands: cronic name: cronolog version: 1.6.2+rpk-1ubuntu2 commands: cronolog,cronosplit name: cronometer version: 0.9.9+dfsg-2 commands: cronometer name: cronutils version: 1.9-1 commands: runalarm,runlock,runstat name: cross-gcc-dev version: 176 commands: cross-gcc-gensource name: crossfire-client version: 1.72.0-1 commands: cfsndserv,crossfire-client-gtk2 name: crossfire-server version: 1.71.0+dfsg1-1build1 commands: crossfire-server name: crosshurd version: 1.7.51 commands: crosshurd name: crossroads version: 2.81-2 commands: xr,xrctl name: crrcsim version: 0.9.12-6.2build2 commands: crrcsim name: crtmpserver version: 1.0~dfsg-5.4build1 commands: crtmpserver name: crudini version: 0.7-1 commands: crudini name: cruft version: 0.9.34 commands: cruft,dash-search name: cruft-ng version: 0.4.6 commands: cruft-ng name: crunch version: 3.6-2 commands: crunch name: cryfs version: 0.9.9-1ubuntu1 commands: cryfs name: cryptcat version: 20031202-4build1 commands: cryptcat name: cryptmount version: 5.2.4-1build1 commands: cryptmount,cryptmount-setup name: cs version: 2.0.0-1 commands: cloudstack name: csb version: 1.2.5+dfsg-3 commands: csb-bfit,csb-bfite,csb-buildhmm,csb-csfrag,csb-embd,csb-hhfrag,csb-hhsearch,csb-precision,csb-promix,csb-test name: cscope version: 15.8b-3 commands: cscope,cscope-indexer,ocs name: csh version: 20110502-3 commands: bsd-csh,csh name: csmash version: 0.6.6-6.8 commands: csmash name: csmith version: 2.3.0-3 commands: compiler_test,csmith,launchn name: csound version: 1:6.10.0~dfsg-1 commands: cs,csbeats,csdebugger,csound name: csound-utils version: 1:6.10.0~dfsg-1 commands: atsa,csanalyze,csb64enc,csound_extract,cvanal,dnoise,envext,extractor,het_export,het_import,hetro,lpanal,lpc_export,lpc_import,makecsd,mixer,pv_export,pv_import,pvanal,pvlook,scale,scot,scsort,sdif2ad,sndinfo,src_conv,srconv name: csoundqt version: 0.9.4-1 commands: CsoundQt-d-cs6,csoundqt name: css2xslfo version: 1.6.2-2 commands: css2xslfo name: cssc version: 1.4.0-5build1 commands: sccs name: cssmin version: 0.2.0-6 commands: cssmin name: csstidy version: 1.4-5 commands: csstidy name: cstocs version: 1:3.42-3 commands: cssort,cstocs,dbfcstocs name: cstream version: 3.0.0-1build1 commands: cstream name: csv2latex version: 0.20-2 commands: csv2latex name: csvimp version: 0.5.4-2 commands: csvimp name: csvkit version: 1.0.2-1 commands: csvclean,csvcut,csvformat,csvgrep,csvjoin,csvjson,csvlook,csvpy,csvsort,csvsql,csvstack,csvstat,in2csv,sql2csv name: csvtool version: 1.5-1build2 commands: csvtool name: csync2 version: 2.0-8-g175a01c-4ubuntu1 commands: csync2,csync2-compare name: ctdb version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: ctdb,ctdb_diagnostics,ctdbd,ctdbd_wrapper,ltdbtool,onnode,ping_pong name: ctdconverter version: 2.0-4 commands: CTDConverter name: cthumb version: 4.2-3.1 commands: cthumb name: ctioga2 version: 0.14.1-2 commands: ctioga2 name: ctn version: 3.2.0~dfsg-5build1 commands: archive_agent,archive_cleaner,archive_server,clone_study,commit_agent,create_greyscale_module,create_print_entry,ctn_version,ctndisp,ctnnetwork,dcm_add_fragments,dcm_create_object,dcm_ctnto10,dcm_diff,dcm_dump_compressed,dcm_dump_element,dcm_dump_file,dcm_make_object,dcm_map_to_8,dcm_mask_image,dcm_modify_elements,dcm_modify_object,dcm_print_dictionary,dcm_resize,dcm_rm_element,dcm_rm_group,dcm_snoop,dcm_strip_odd_groups,dcm_template,dcm_to_html,dcm_to_text,dcm_verify,dcm_vr_patterns,dcm_x_disp,dicom_echo,dump_commit_requests,enq_ctndisp,enq_ctnnetwork,ex1_initiator,ex2_initiator,ex3_acceptor,ex3_initiator,ex4_acceptor,ex4_initiator,fillImageDB,fillRSA,fillRSAImpInterp,fis_server,gqinitq,gqkillq,icon_append_file,icon_append_index,icon_dump_file,icon_dump_index,image_server,kill_ctndisp,kill_ctnnetwork,load_control,mwlQuery,pq_ctndisp,pq_ctnnetwork,print_client,print_mgr,print_server,print_server_display,ris_gateway,send_image,send_results,send_study,simple_pacs,simple_storage,snp_to_files,storage_classes,storage_commit,ttdelete,ttinsert,ttlayout,ttselect,ttunique,ttupdate name: ctop version: 1.0.0-2 commands: ctop name: ctorrent version: 1.3.4.dnh3.3.2-5 commands: ctorrent name: ctpl version: 0.3.4+dfsg-1 commands: ctpl name: ctpp2-utils version: 2.8.3-23 commands: ctpp2-config,ctpp2c,ctpp2i,ctpp2json,ctpp2vm name: ctsim version: 5.2.0-4 commands: ctsim,ctsimtext,if1,if2,ifexport,ifinfo,linogram,phm2helix,phm2if,phm2pj,pj2if,pjHinterp,pjinfo,pjrec name: ctwm version: 3.7-4 commands: ctwm,x-window-manager name: cube2-data version: 1.1-1 commands: cube2 name: cube2-server version: 0.0.20130404+dfsg-1 commands: cube2-server name: cube2font version: 1.3.1-2build1 commands: cube2font name: cubemap version: 1.3.2-1 commands: cubemap name: cubicsdr version: 0.2.3+dfsg-1 commands: CubicSDR name: cucumber version: 2.4.0-3 commands: cucumber name: cudf-tools version: 0.7-3build1 commands: cudf-check name: cue2toc version: 0.4-5build1 commands: cue2toc name: cuetools version: 1.4.0-2build1 commands: cuebreakpoints,cueconvert,cueprint,cuetag name: cultivation version: 9+dfsg1-2build1 commands: Cultivation,cultivation name: cup version: 0.11a+20060608-8 commands: cup name: cupp version: 0.0+20160624.git07f9b8-1 commands: cupp name: cupp3 version: 0.0+20160624.git07f9b8-1 commands: cupp3 name: cupt version: 2.10.0 commands: cupt name: cura version: 3.1.0-1 commands: cura name: cura-engine version: 1:3.1.0-2 commands: CuraEngine name: curlftpfs version: 0.9.2-9build1 commands: curlftpfs name: curry-frontend version: 1.0.1-1 commands: curry-frontend name: curseofwar version: 1.1.8-3build2 commands: curseofwar name: curtain version: 0.3-1.1 commands: curtain name: curvedns version: 0.87-4build1 commands: curvedns,curvedns-keygen name: customdeb version: 0.1 commands: customdeb name: cutadapt version: 1.15-1 commands: cutadapt name: cutecom version: 0.30.3-1 commands: cutecom name: cutemaze version: 1.2.0-1 commands: cutemaze name: cutepaste version: 0.1.0-0ubuntu3 commands: cutepaste name: cutesdr version: 1.13.42-2build1 commands: CuteSdr name: cutils version: 1.6-5 commands: cdecl,chilight,cobfusc,cundecl,cunloop,yyextract,yyref name: cutmp3 version: 3.0.1-0ubuntu2 commands: cutmp3 name: cutter version: 1.04-1 commands: cutter name: cutycapt version: 0.0~svn10-0.1 commands: cutycapt name: cuyo version: 2.0.0brl1-3build1 commands: cuyo name: cvc3 version: 2.4.1-5.1ubuntu1 commands: cvc3 name: cvm version: 0.97-0.1 commands: cvm-benchclient,cvm-chain,cvm-checkpassword,cvm-pwfile,cvm-qmail,cvm-testclient,cvm-unix,cvm-v1benchclient,cvm-v1checkpassword,cvm-v1testclient,cvm-vmailmgr,cvm-vmailmgr-local,cvm-vmailmgr-udp name: cvm-mysql version: 0.97-0.1 commands: cvm-mysql,cvm-mysql-local,cvm-mysql-udp name: cvm-pgsql version: 0.97-0.1 commands: cvm-pgsql,cvm-pgsql-local,cvm-pgsql-udp name: cvs version: 2:1.12.13+real-26 commands: cvs,cvs-switchroot name: cvs-buildpackage version: 5.26 commands: cvs-buildpackage,cvs-inject,cvs-upgrade name: cvs-fast-export version: 1.43-1 commands: cvs-fast-export,cvsconvert,cvssync name: cvs-mailcommit version: 1.19-2.1 commands: cvs-mailcommit name: cvs2svn version: 2.5.0-1 commands: cvs2bzr,cvs2git,cvs2svn name: cvsd version: 1.0.24 commands: cvsd,cvsd-buginfo,cvsd-buildroot,cvsd-passwd name: cvsdelta version: 1.7.0-6 commands: cvsdelta name: cvsgraph version: 1.7.0-4 commands: cvsgraph name: cvsps version: 2.1-8 commands: cvsps name: cvsservice version: 4:17.12.3-0ubuntu1 commands: cvsaskpass,cvsservice5 name: cvsutils version: 0.2.5-1 commands: cvschroot,cvsco,cvsdiscard,cvsdo,cvsnotag,cvspurge,cvstrim,cvsu name: cw version: 3.5.1-2 commands: cw,cwgen name: cwcp version: 3.5.1-2 commands: cwcp name: cwdaemon version: 0.10.2-2 commands: cwdaemon name: cwebx version: 3.52-2build1 commands: ctanglex,cweavex name: cwltool version: 1.0.20180302231433-1 commands: cwl-runner,cwltool name: cwm version: 5.6-4build1 commands: openbsd-cwm,x-window-manager name: cxref version: 1.6e-3 commands: cxref,cxref-cc,cxref-cpp,cxref-cpp-configure,cxref-cpp.upstream,cxref-query name: cxxtest version: 4.4-2.1 commands: cxxtestgen name: cycfx2prog version: 0.47-1ubuntu2 commands: cycfx2prog name: cyclades-serial-client version: 0.93ubuntu1 commands: cyclades-ser-cli,cyclades-serial-client name: cycle version: 0.3.1-13 commands: cycle name: cyclist version: 0.2~beta3-4 commands: cyclist name: cyclograph version: 1.9.1-1 commands: cyclograph name: cylc version: 7.6.0-1 commands: cycl,cylc,gcapture,gcontrol,gcylc name: cynthiune.app version: 1.0.0-2build1 commands: Cynthiune name: cypher-lint version: 0.6.0-1 commands: cypher-lint name: cyphesis-cpp version: 0.6.2-2ubuntu1 commands: cyphesis name: cyphesis-cpp-clients version: 0.6.2-2ubuntu1 commands: cyaddrules,cyclient,cycmd,cyconfig,cyconvertrules,cydb,cydumprules,cyloadrules,cypasswd,cypython name: cyrus-admin version: 2.5.10-3ubuntu1 commands: cyradm,installsieve,sieveshell name: cyrus-common version: 2.5.10-3ubuntu1 commands: cyrdeliver,cyrmaster,cyrus name: cyrus-imspd version: 1.8-4 commands: cyrus-imspd name: cysignals-tools version: 1.6.5+ds-2 commands: cysignals-CSI name: cython version: 0.26.1-0.4 commands: cygdb,cython name: cython3 version: 0.26.1-0.4 commands: cygdb3,cython3 name: d-feet version: 0.3.13-1 commands: d-feet name: d-itg version: 2.8.1-r1023-3build1 commands: ITGDec,ITGLog,ITGManager,ITGRecv,ITGSend name: d-rats version: 0.3.3-4ubuntu1 commands: d-rats,d-rats_mapdownloader,d-rats_repeater name: d-shlibs version: 0.82 commands: d-devlibdeps,d-shlibmove name: d52 version: 3.4.1-1.1build1 commands: d48,d52,dz80 name: daa2iso version: 0.1.7e-1build1 commands: daa2iso name: dablin version: 1.8.0-1 commands: dablin,dablin_gtk name: dacs version: 1.4.38a-2build1 commands: cgiparse,dacs_acs,dacsacl,dacsauth,dacscheck,dacsconf,dacscookie,dacscred,dacsemail,dacsexpr,dacsgrid,dacshttp,dacsinit,dacskey,dacslist,dacspasswd,dacsrlink,dacssched,dacstoken,dacstransform,dacsversion,dacsvfs,pamd,sslclient name: dact version: 0.8.42-4build1 commands: dact name: dadadodo version: 1.04-7 commands: dadadodo name: daemon version: 0.6.4-1build1 commands: daemon name: daemonfs version: 1.1-1build1 commands: daemonfs name: daemonize version: 1.7.7-1 commands: daemonize name: daemonlogger version: 1.2.1-8build1 commands: daemonlogger name: daemontools version: 1:0.76-6.1 commands: envdir,envuidgid,fghack,multilog,pgrphack,readproctitle,setlock,setuidgid,softlimit,supervise,svc,svok,svscan,svscanboot,svstat,tai64n,tai64nlocal name: daemontools-run version: 1:0.76-6.1 commands: update-service name: dafny version: 1.9.7-1 commands: dafny name: dahdi version: 1:2.11.1-3ubuntu1 commands: astribank_allow,astribank_hexload,astribank_is_starting,astribank_tool,dahdi_cfg,dahdi_genconf,dahdi_hardware,dahdi_maint,dahdi_monitor,dahdi_registration,dahdi_scan,dahdi_span_assignments,dahdi_span_types,dahdi_test,dahdi_tool,dahdi_waitfor_span_assignments,fxotune,lsdahdi,sethdlc,twinstar,xpp_blink,xpp_sync name: dailystrips version: 1.0.28-11 commands: dailystrips,dailystrips-clean,dailystrips-update name: daisy-player version: 11.3.2-1 commands: daisy-player name: daligner version: 1.0+20180108-1 commands: HPC.daligner,LAcat,LAcheck,LAdump,LAindex,LAmerge,LAshow,LAsort,LAsplit,daligner name: dalvik-exchange version: 7.0.0+r33-1 commands: dalvik-exchange,mainDexClasses name: dangen version: 0.5-4build1 commands: dangen name: danmaq version: 0.2.3.1-1 commands: danmaQ name: dans-gdal-scripts version: 0.24-1build4 commands: gdal_contrast_stretch,gdal_dem2rgb,gdal_get_projected_bounds,gdal_landsat_pansharp,gdal_list_corners,gdal_make_ndv_mask,gdal_merge_simple,gdal_merge_vrt,gdal_raw2geotiff,gdal_trace_outline,gdal_wkt_to_mask name: dansguardian version: 2.10.1.1-5.1build2 commands: dansguardian name: dante-client version: 1.4.2+dfsg-2build1 commands: socksify name: dante-server version: 1.4.2+dfsg-2build1 commands: danted name: daphne version: 1.4.2-1 commands: daphne name: dapl2-utils version: 2.1.10.1.f1e05b7a-3 commands: dapltest,dtest,dtestcm,dtestsrq,dtestx name: daptup version: 0.12.7 commands: daptup name: dar version: 2.5.14+bis-1 commands: dar,dar_cp,dar_manager,dar_slave,dar_split,dar_xform name: dar-static version: 2.5.14+bis-1 commands: dar_static name: darcs version: 2.12.5-1 commands: darcs name: darcs-monitor version: 0.4.2-12build1 commands: darcs-monitor name: dares version: 0.6.5-7build2 commands: dares name: darkplaces version: 0~20140513+svn12208-7 commands: darkplaces name: darkplaces-server version: 0~20140513+svn12208-7 commands: darkplaces-server name: darkradiant version: 2.5.0-2 commands: darkradiant name: darkslide version: 2.3.3-2 commands: darkslide name: darkstat version: 3.0.719-1build1 commands: darkstat name: darnwdl version: 0.5-2build1 commands: darnwdl name: darts version: 0.32-16 commands: darts,mkdarts name: das-watchdog version: 0.9.0-3.2build2 commands: das_watchdog,test_rt name: dascrubber version: 0~20180108-1 commands: DASedit,DASmap,DASpatch,DASqv,DASrealign,DAStrim,REPqv,REPtrim name: dasher version: 5.0.0~beta~repack-6 commands: dasher name: datalad version: 0.9.3-1 commands: datalad,git-annex-remote-datalad,git-annex-remote-datalad-archives name: datamash version: 1.2.0-1 commands: datamash name: datapacker version: 1.0.2 commands: datapacker name: datefudge version: 1.22 commands: datefudge name: dateutils version: 0.4.2-1 commands: dateutils.dadd,dateutils.dconv,dateutils.ddiff,dateutils.dgrep,dateutils.dround,dateutils.dseq,dateutils.dsort,dateutils.dtest,dateutils.dzone,dateutils.strptime name: datovka version: 4.9.3-2build1 commands: datovka name: dav-text version: 0.8.5-6ubuntu1 commands: dav,editor name: davfs2 version: 1.5.4-2 commands: mount.davfs,umount.davfs name: davix version: 0.6.7-1 commands: davix-cp,davix-get,davix-http,davix-ls,davix-mkdir,davix-mv,davix-put,davix-rm name: davmail version: 4.8.3.2554-1 commands: davmail name: dawg version: 1.2-1build1 commands: dawg name: dawgdic-tools version: 0.4.5-2 commands: dawgdic-build,dawgdic-find name: dazzdb version: 1.0+20180115-1 commands: Catrack,DAM2fasta,DB2arrow,DB2fasta,DB2quiva,DBdump,DBdust,DBmv,DBrm,DBshow,DBsplit,DBstats,DBtrim,DBwipe,arrow2DB,dsimulator,fasta2DAM,fasta2DB,quiva2DB,rangen name: db2twitter version: 0.6-1build1 commands: db2twitter name: db4otool version: 8.0.184.15484+dfsg2-3 commands: db4otool name: db5.3-sql-util version: 5.3.28-13.1ubuntu1 commands: db5.3_sql name: dbab version: 1.3.2-1 commands: dbab-add-list,dbab-chk-list,dbab-get-list,dbab-svr,dhcp-add-wpad name: dbacl version: 1.12-3 commands: bayesol,dbacl,hmine,hypex,mailcross,mailfoot,mailinspect,mailtoe name: dballe version: 7.21-1build1 commands: dbadb,dbaexport,dbamsg,dbatbl name: dbar version: 0.0.20100524-3 commands: dbar name: dbeacon version: 0.4.0-2 commands: dbeacon name: dbench version: 4.0-2build1 commands: dbench,tbench,tbench_srv name: dbf2mysql version: 1.14a-5.1 commands: dbf2mysql,mysql2dbf name: dblatex version: 0.3.10-2 commands: dblatex name: dbmix version: 0.9.8-6.3ubuntu2 commands: dbcat,dbfsd,dbin,dbmixer name: dbskkd-cdb version: 1:3.00-1 commands: dbskkd-cdb,makeskkcdbdic name: dbtoepub version: 0+svn9904-1 commands: dbtoepub name: dbus-java-bin version: 2.8-9 commands: CreateInterface,DBusCall,DBusDaemon,DBusViewer,ListDBus name: dbus-test-runner version: 15.04.0+16.10.20160906-0ubuntu1 commands: dbus-test-runner name: dbus-tests version: 1.12.2-1ubuntu1 commands: dbus-test-tool name: dbview version: 1.0.4-1build1 commands: dbview name: dc-qt version: 0.2.0.alpha-4.3build1 commands: dc-backend,dc-qt name: dc3dd version: 7.2.646-1 commands: dc3dd name: dcap version: 2.47.12-2 commands: dccp name: dcfldd version: 1.3.4.1-11 commands: dcfldd name: dclock version: 2.2.2-9 commands: dclock name: dcm2niix version: 1.0.20171215-1 commands: dcm2niibatch,dcm2niix name: dcmtk version: 3.6.2-3build3 commands: dcm2json,dcm2pdf,dcm2pnm,dcm2xml,dcmcjpeg,dcmcjpls,dcmconv,dcmcrle,dcmdjpeg,dcmdjpls,dcmdrle,dcmdspfn,dcmdump,dcmftest,dcmgpdir,dcmj2pnm,dcml2pnm,dcmmkcrv,dcmmkdir,dcmmklut,dcmodify,dcmp2pgm,dcmprscp,dcmprscu,dcmpschk,dcmpsmk,dcmpsprt,dcmpsrcv,dcmpssnd,dcmqridx,dcmqrscp,dcmqrti,dcmquant,dcmrecv,dcmscale,dcmsend,dcmsign,dcod2lum,dconvlum,drtdump,dsr2html,dsr2xml,dsrdump,dump2dcm,echoscu,findscu,getscu,img2dcm,movescu,pdf2dcm,storescp,storescu,termscu,wlmscpfs,xml2dcm,xml2dsr name: dconf-editor version: 3.28.0-1 commands: dconf-editor name: dcraw version: 9.27-1ubuntu1 commands: dccleancrw,dcfujigreen,dcfujiturn,dcfujiturn16,dcparse,dcraw name: dctrl2xml version: 0.19 commands: dctrl2xml name: ddate version: 0.2.2-1build1 commands: ddate name: ddclient version: 3.8.3-1.1ubuntu1 commands: ddclient name: ddcutil version: 0.8.6-1 commands: ddcutil name: ddd version: 1:3.3.12-5.1build2 commands: ddd name: dde-calendar version: 1.2.2-2 commands: dde-calendar name: ddgr version: 1.2-1 commands: ddgr name: ddir version: 2016.1029+gitce9f8e4-1 commands: ddir name: ddms version: 2.0.0-1 commands: ddms name: ddnet version: 11.0.3-1build1 commands: DDNet name: ddnet-server version: 11.0.3-1build1 commands: DDNet-Server name: ddns3-client version: 1.8-13 commands: ddns3,ddns3-client name: ddpt version: 0.94-1build1 commands: ddpt,ddptctl name: ddrutility version: 2.8-1 commands: ddru_diskutility,ddru_findbad,ddru_ntfsbitmap,ddru_ntfsfindbad,ddrutility name: dds version: 2.5.2+ddd105-1build1 commands: dds name: dds2tar version: 2.5.2-7build1 commands: dds-dd,dds2index,dds2tar,ddstool,mt-dds,scsi_vendor name: ddskk version: 16.2-2 commands: bskk name: ddtc version: 0.17.2 commands: ddtc name: ddupdate version: 0.5.3-1 commands: ddupdate,ddupdate-config name: deal version: 3.1.9-9 commands: deal name: dealer version: 20161012-3 commands: dealer,dealer.dpp name: deb-gview version: 0.2.11build1 commands: deb-gview name: debarchiver version: 0.11.0 commands: debarchiver name: debaux version: 0.1.12-1 commands: debaux-build,debaux-publish name: debbugs version: 2.6.0 commands: add_bug_to_estraier,debbugs-dbhash,debbugs-upgradestatus,debbugsconfig name: debbugs-local version: 2.6.0 commands: local-debbugs name: debci version: 1.7.1 commands: debci name: debconf-kde-helper version: 1.0.3-0ubuntu1 commands: debconf-kde-helper name: debconf-utils version: 1.5.66 commands: debconf-get-selections,debconf-getlang,debconf-loadtemplate,debconf-mergetemplate name: debdate version: 0.20170714-1 commands: debdate name: debdelta version: 0.61 commands: debdelta,debdelta-upgrade,debdeltas,debpatch name: debdry version: 0.2.2-1 commands: debdry,git-debdry-build name: debfoster version: 2.7-2.1 commands: debfoster,debfoster2aptitude name: debget version: 1.6+nmu4 commands: debget,debget-madison name: debian-builder version: 1.8 commands: debian-builder name: debian-dad version: 1 commands: dad name: debian-installer-launcher version: 30 commands: debian-installer-launcher name: debian-reference-common version: 2.72 commands: debian-reference name: debian-security-support version: 2018.01.29 commands: check-support-status name: debian-xcontrol version: 0.0.4-1.1build9 commands: xcontrol,xdpkg-checkbuilddeps name: debiandoc-sgml version: 1.2.32-1 commands: debiandoc2dbk,debiandoc2dvi,debiandoc2html,debiandoc2info,debiandoc2latex,debiandoc2latexdvi,debiandoc2latexpdf,debiandoc2latexps,debiandoc2pdf,debiandoc2ps,debiandoc2texinfo,debiandoc2text,debiandoc2textov,debiandoc2wiki name: debirf version: 0.38 commands: debirf name: debmake version: 4.2.9-1 commands: debmake name: debmirror version: 1:2.27ubuntu1 commands: debmirror name: debocker version: 0.2.1 commands: debocker name: debomatic version: 0.22-5 commands: debomatic name: deborphan version: 1.7.28.8ubuntu2 commands: deborphan,editkeep,orphaner name: debpartial-mirror version: 0.3.1+nmu1 commands: debpartial-mirror name: debpear version: 0.5 commands: debpear name: debroster version: 1.18 commands: debroster name: debsecan version: 0.4.19 commands: debsecan,debsecan-create-cron name: debsig-verify version: 0.18 commands: debsig-verify name: debsigs version: 0.1.20 commands: debsigs,debsigs-autosign,debsigs-installer,debsigs-signchanges name: debsums version: 2.2.2 commands: debsums,debsums_init,rdebsums name: debtags version: 2.1.5 commands: debtags name: debtree version: 1.0.10+nmu1 commands: debtree name: debuerreotype version: 0.4-2 commands: debuerreotype-apt-get,debuerreotype-chroot,debuerreotype-fixup,debuerreotype-gen-sources-list,debuerreotype-init,debuerreotype-minimizing-config,debuerreotype-slimify,debuerreotype-tar,debuerreotype-version name: debug-me version: 1.20170810-1 commands: debug-me name: debugedit version: 4.14.1+dfsg1-2 commands: debugedit name: decopy version: 0.2.2-1 commands: decopy name: dee-tools version: 1.2.7+17.10.20170616-0ubuntu4 commands: dee-tool name: deepin-calculator version: 1.0.2-1 commands: deepin-calculator name: deepin-deb-installer version: 1.2.4-1 commands: deepin-deb-installer name: deepin-gettext-tools version: 1.0.8-1 commands: deepin-desktop-ts-convert,deepin-generate-mo,deepin-policy-ts-convert,deepin-update-pot name: deepin-image-viewer version: 1.2.19-2 commands: deepin-image-viewer name: deepin-menu version: 3.2.0-1 commands: deepin-menu name: deepin-movie version: 3.2.3-2 commands: deepin-movie name: deepin-picker version: 1.6.2-3 commands: deepin-picker name: deepin-screenshot version: 4.0.11-1 commands: deepin-screenshot name: deepin-shortcut-viewer version: 1.3.4-1 commands: deepin-shortcut-viewer name: deepin-terminal version: 2.9.2-1 commands: deepin-terminal name: deepin-voice-recorder version: 1.3.6.1-1 commands: deepin-voice-recorder name: deepnano version: 0.0+20160706-1ubuntu1 commands: deepnano_basecall,deepnano_basecall_no_metrichor name: deets version: 0.2.1-5 commands: luau name: defendguin version: 0.0.12-6 commands: defendguin name: deheader version: 1.6-3 commands: deheader name: dehydrated version: 0.6.1-2 commands: dehydrated name: dejagnu version: 1.6.1-1 commands: runtest name: deken version: 0.2.6-1 commands: deken name: delaboratory version: 0.8-2build2 commands: delaboratory name: dell-recovery version: 1.58 commands: dell-recovery,dell-restore-system name: delta version: 2006.08.03-8 commands: multidelta,singledelta,topformflat name: deltarpm version: 3.6+dfsg-1build6 commands: applydeltaiso,applydeltarpm,combinedeltarpm,drpmsync,fragiso,makedeltaiso,makedeltarpm name: deluge version: 1.3.15-2 commands: deluge name: deluge-console version: 1.3.15-2 commands: deluge-console name: deluge-gtk version: 1.3.15-2 commands: deluge-gtk name: deluge-web version: 1.3.15-2 commands: deluge-web name: deluged version: 1.3.15-2 commands: deluged name: denef version: 0.3-0ubuntu6 commands: denef name: denemo version: 2.2.0-1build1 commands: denemo name: denemo-data version: 2.2.0-1build1 commands: denemo_file_update name: denyhosts version: 2.10-2 commands: denyhosts name: depqbf version: 5.01-1 commands: depqbf name: derby-tools version: 10.14.1.0-1ubuntu1 commands: dblook,derbyctl,ij name: desklaunch version: 1.1.8build1 commands: desklaunch name: deskmenu version: 1.4.5build1 commands: deskmenu name: deskscribe version: 0.4.2-0ubuntu4 commands: deskscribe,mausgrapher name: desktop-profiles version: 1.4.26 commands: dh_installlisting,list-desktop-profiles,path2listing,profile-manager,update-profile-cache name: desktop-webmail version: 003-0ubuntu3 commands: desktop-webmail name: desktopnova version: 0.8.1-1ubuntu1 commands: desktopnova,desktopnova-daemon name: desktopnova-tray version: 0.8.1-1ubuntu1 commands: desktopnova-tray name: desmume version: 0.9.11-3 commands: desmume,desmume-cli,desmume-glade name: desproxy version: 0.1.0~pre3-10 commands: desproxy,desproxy-dns,desproxy-inetd,desproxy-socksserver,socket2socket name: detox version: 1.3.0-2build1 commands: detox,inline-detox name: deutex version: 5.1.1-1 commands: deutex name: devicetype-detect version: 0.03 commands: devicename-detect,devicetype-detect name: devilspie version: 0.23-2build1 commands: devilspie name: devilspie2 version: 0.43-1 commands: devilspie2 name: devmem2 version: 0.0-0ubuntu2 commands: devmem2 name: devtodo version: 0.1.20-6.1 commands: devtodo,tda,tdd,tde,tdr,todo name: dex version: 0.8.0-1 commands: dex name: dfc version: 3.1.0-1 commands: dfc name: dfcgen-gtk version: 0.4-2 commands: dfcgen-gtk name: dfu-programmer version: 0.6.1-1build1 commands: dfu-programmer name: dfu-util version: 0.9-1 commands: dfu-prefix,dfu-suffix,dfu-util name: dgedit version: 0~git20160401-1 commands: dgedit name: dgit version: 4.3 commands: dgit,dgit-badcommit-fixup name: dgit-infrastructure version: 4.3 commands: dgit-mirror-rsync,dgit-repos-admin-debian,dgit-repos-policy-debian,dgit-repos-policy-trusting,dgit-repos-server,dgit-ssh-dispatch name: dh-acc version: 2.2-2ubuntu1 commands: dh_acc name: dh-ada-library version: 6.12 commands: dh_ada_library name: dh-apparmor version: 2.12-4ubuntu5 commands: dh_apparmor name: dh-apport version: 2.20.9-0ubuntu7 commands: dh_apport name: dh-buildinfo version: 0.11+nmu2 commands: dh_buildinfo name: dh-consoledata version: 0.7.89 commands: dh_consoledata name: dh-dist-zilla version: 1.3.7 commands: dh-dzil-refresh,dh_dist_zilla_origtar,dh_dzil_build,dh_dzil_clean name: dh-elpa version: 1.11 commands: dh_elpa,dh_elpa_test name: dh-kpatches version: 0.99.36+nmu4 commands: dh_installkpatches name: dh-linktree version: 0.6 commands: dh_linktree name: dh-lisp version: 0.7.1+nmu1 commands: dh_lisp name: dh-lua version: 24 commands: dh_lua,lua-create-gitbuildpackage-layout,lua-create-svnbuildpackage-layout name: dh-make-elpa version: 0.12 commands: dh-make-elpa name: dh-make-golang version: 0.0~git20180129.37f630a-1 commands: dh-make-golang name: dh-make-perl version: 0.99 commands: cpan2deb,cpan2dsc,dh-make-perl name: dh-metainit version: 0.0.5 commands: dh_metainit name: dh-migrations version: 0.3.3 commands: dh_migrations name: dh-modaliases version: 1:0.5.2 commands: dh_modaliases name: dh-ocaml version: 1.1.0 commands: dh_ocaml,dh_ocamlclean,dh_ocamldoc,dh_ocamlinit,dom-apply-patches,dom-git-checkout,dom-mrconfig,dom-new-git-repo,dom-safe-pull,dom-save-patches,ocaml-lintian,ocaml-md5sums name: dh-octave version: 0.3.2 commands: dh_octave_changelogs,dh_octave_clean,dh_octave_make,dh_octave_substvar,dh_octave_version name: dh-octave-autopkgtest version: 0.3.2 commands: dh_octave_check name: dh-php version: 0.29 commands: dh_php name: dh-r version: 20180403 commands: dh-make-R,dh-update-R,dh_vignette name: dh-rebar version: 0.0.4 commands: dh_rebar name: dh-runit version: 2.7.1 commands: dh_runit name: dh-sysuser version: 1.3.1 commands: dh_sysuser name: dh-translations version: 138 commands: dh_translations name: dh-virtualenv version: 1.0-1 commands: dh_virtualenv name: dh-xsp version: 4.2-2.1 commands: dh_installxsp name: dhcp-helper version: 1.2-1build1 commands: dhcp-helper name: dhcp-probe version: 1.3.0-10.1build1 commands: dhcp_probe name: dhcpcanon version: 0.7.3-1 commands: dhcpcanon,dhcpcanon-script name: dhcpcd-common version: 0.7.5-0ubuntu2 commands: dhcpcd-online name: dhcpcd-gtk version: 0.7.5-0ubuntu2 commands: dhcpcd-gtk name: dhcpcd-qt version: 0.7.5-0ubuntu2 commands: dhcpcd-qt name: dhcpcd5 version: 6.11.5-0ubuntu1 commands: dhcpcd,dhcpcd5 name: dhcpd-pools version: 2.28-1 commands: dhcpd-pools name: dhcpdump version: 1.8-2.2 commands: dhcpdump name: dhcpig version: 0~20170428.git67f913-1 commands: dhcpig name: dhcping version: 1.2-4.2 commands: dhcping name: dhcpstarv version: 0.2.2-1 commands: dhcpstarv name: dhcpy6d version: 0.4.3-1 commands: dhcpy6d name: dhelp version: 0.6.25 commands: dhelp,dhelp_parse name: dhex version: 0.68-2build2 commands: dhex name: dhis-client version: 5.5-5 commands: dhid name: dhis-server version: 5.3-2.1build1 commands: dhisd name: dhis-tools-dns version: 5.0-8 commands: dhis-genid,dhis-register-p,dhis-register-q name: dhis-tools-genkeys version: 5.0-8 commands: dhis-genkeys,dhis-genpass name: dhtnode version: 1.6.0-1 commands: dhtnode name: di version: 4.34-2build1 commands: di name: di-netboot-assistant version: 0.51 commands: di-netboot-assistant name: dia version: 0.97.3+git20160930-8 commands: dia name: dia2code version: 0.8.3-4build1 commands: dia2code name: dialign version: 2.2.1-9 commands: dialign2-2 name: dialign-tx version: 1.0.2-11 commands: dialign-tx name: dialog version: 1.3-20171209-1 commands: dialog name: diamond-aligner version: 0.9.17+dfsg-1 commands: diamond-aligner name: dianara version: 1.4.1-1 commands: dianara name: diatheke version: 1.7.3+dfsg-9.1build2 commands: diatheke name: dibbler-client version: 1.0.1-1build1 commands: dibbler-client name: dibbler-relay version: 1.0.1-1build1 commands: dibbler-relay name: dibbler-server version: 1.0.1-1build1 commands: dibbler-server name: dicelab version: 0.7-4build1 commands: dicelab name: diceware version: 0.9.1-4.1 commands: diceware name: dico version: 2.4-1 commands: dico name: dicod version: 2.4-1 commands: dicod,dicodconfig,dictdconfig name: dicom3tools version: 1.00~20171209092658-1 commands: andump,dcdirdmp,dcdump,dcentvfy,dcfile,dchist,dciodvfy,dckey,dcposn,dcsort,dcsrdump,dcstats,dctable,dctopgm8,dctopgx,dctopnm,dcunrgb,jpegdump name: dicomnifti version: 2.32.1-1build1 commands: dicomhead,dinifti name: dicompyler version: 0.4.2.0-1 commands: dicompyler name: dicomscope version: 3.6.0-18 commands: dicomscope name: dictconv version: 0.2-7build1 commands: dictconv name: dictfmt version: 1.12.1+dfsg-4 commands: dictfmt,dictfmt_index2suffix,dictfmt_index2word,dictunformat name: diction version: 1.11-1build1 commands: diction,style name: dictionaryreader.app version: 0+20080616+dfsg-2build7 commands: DictionaryReader name: didiwiki version: 0.5-13 commands: didiwiki name: dieharder version: 3.31.1-7build1 commands: dieharder name: dietlibc-dev version: 0.34~cvs20160606-7 commands: diet name: diffmon version: 20020222-2.6 commands: diffmon name: diffoscope version: 93ubuntu1 commands: diffoscope name: diffpdf version: 2.1.3-1.2 commands: diffpdf name: diffuse version: 0.4.8-3 commands: diffuse name: digikam version: 4:5.6.0-0ubuntu10 commands: cleanup_digikamdb,digikam,digitaglinktree name: digitemp version: 3.7.1-2build1 commands: digitemp_DS2490,digitemp_DS9097,digitemp_DS9097U name: dillo version: 3.0.5-4build1 commands: dillo,dillo-install-hyphenation,dpid,dpidc,x-www-browser name: dimbl version: 0.15-2 commands: dimbl name: dime version: 0.20111205-2.1 commands: dxf2vrml,dxfsphere name: din version: 5.2.1-5 commands: checkdotdin,din name: dindel version: 1.01+dfsg-4build2 commands: dindel name: ding version: 1.8.1-3 commands: ding name: dino-im version: 0.0.git20180130-1 commands: dino-im name: diod version: 1.0.24-3 commands: diod,diodcat,dioddate,diodload,diodls,diodmount,diodshowmount,dtop,mount.diod name: diodon version: 1.8.0-1 commands: diodon name: dir2ogg version: 0.12-1 commands: dir2ogg name: dirb version: 2.22+dfsg-3 commands: dirb,dirb-gendict,html2dic name: dircproxy version: 1.0.5-6ubuntu2 commands: dircproxy,dircproxy-crypt name: dirdiff version: 2.1-7.1 commands: dirdiff name: directoryassistant version: 2.0-1.1 commands: directoryassistant name: directvnc version: 0.7.7-1build1 commands: directvnc,directvnc-xmapconv name: direnv version: 2.15.0-1 commands: direnv name: direvent version: 5.1-1 commands: direvent name: dirtbike version: 0.3-2.1 commands: dirtbike name: dirvish version: 1.2.1-1.3 commands: dirvish,dirvish-expire,dirvish-locate,dirvish-runall name: dis51 version: 0.5-1.1build1 commands: dis51 name: disc-cover version: 1.5.6-3 commands: disc-cover name: discosnp version: 1.2.6-2 commands: discoSnp_to_csv,discoSnp_to_genotypes,kissnp2,kissreads name: discount version: 2.2.3b8-2 commands: makepage,markdown,mkd2html,theme name: discover version: 2.1.2-8 commands: discover,discover-config,discover-modprobe,discover-pkginstall name: discus version: 0.2.9-10 commands: discus name: dish version: 1.19.1-1 commands: dicp,dish name: diskscan version: 0.20-1 commands: diskscan name: disktype version: 9-6 commands: disktype name: dislocker version: 0.7.1-3build3 commands: dislocker,dislocker-bek,dislocker-file,dislocker-find,dislocker-fuse,dislocker-metadata name: disorderfs version: 0.5.2-2 commands: disorderfs name: dispcalgui version: 3.5.0.0-1 commands: displaycal,displaycal-3dlut-maker,displaycal-apply-profiles,displaycal-curve-viewer,displaycal-profile-info,displaycal-scripting-client,displaycal-synthprofile,displaycal-testchart-editor,displaycal-vrml-to-x3d-converter name: disper version: 0.3.1-2 commands: disper name: display-dhammapada version: 1.0-0.1build1 commands: dhamma,display-dhammapada,xdhamma name: dist version: 1:3.5-36.0001-3 commands: jmake,jmkmf,kitpost,kitsend,makeSH,makedist,manicheck,manifake,manilist,metaconfig,metalint,metaxref,packinit,pat,patbase,patcil,patclean,patcol,patdiff,patftp,patindex,patlog,patmake,patname,patnotify,patpost,patsend,patsnap name: distcc version: 3.1-6.3 commands: distcc,distccd,distccmon-text,lsdistcc,update-distcc-symlinks name: distcc-pump version: 3.1-6.3 commands: distcc-pump name: distccmon-gnome version: 3.1-6.3 commands: distccmon-gnome name: disulfinder version: 1.2.11-7 commands: disulfinder name: ditaa version: 0.10+ds1-1.1 commands: ditaa name: ditrack version: 0.8-1.2 commands: dt,dt-createdb,dt-upgrade-0.7-db name: divxcomp version: 0.1-8 commands: divxcomp name: dizzy version: 0.3-3 commands: dizzy,dizzy-render name: djinn version: 2014.9.7-6build1 commands: djinn name: djmount version: 0.71-7.1 commands: djmount name: djtools version: 1.2.7build1 commands: djscript,hpset name: djview4 version: 4.10.6-3 commands: djview,djview4 name: djvubind version: 1.2.1-5 commands: djvubind name: djvulibre-bin version: 3.5.27.1-8 commands: any2djvu,bzz,c44,cjb2,cpaldjvu,csepdjvu,ddjvu,djvm,djvmcvt,djvudigital,djvudump,djvuextract,djvumake,djvups,djvused,djvutoxml,djvutxt,djvuxmlparser name: djvuserve version: 3.5.27.1-8 commands: djvuserve name: djvusmooth version: 0.2.19-1 commands: djvusmooth name: dkim-milter-python version: 0.9-1 commands: dkim-milter,dkim-milter.py name: dkimproxy version: 1.4.1-3 commands: dkim_responder,dkimproxy.in,dkimproxy.out name: dkopp version: 6.5-1build1 commands: dkopp name: dl10n version: 3.00 commands: dl10n-check,dl10n-html,dl10n-mail,dl10n-nmu,dl10n-pts,dl10n-spider,dl10n-txt name: dlint version: 1.4.0-7 commands: dlint name: dlm-controld version: 4.0.7-1ubuntu2 commands: dlm_controld,dlm_stonith,dlm_tool name: dlmodelbox version: 0.1.2-2 commands: dlmodel2deb,dlmodel_source name: dlocate version: 1.07+nmu1 commands: dlocate,dpkg-hold,dpkg-purge,dpkg-remove,dpkg-unhold,update-dlocatedb name: dlume version: 0.2.4-14 commands: dlume name: dma version: 0.11-1build1 commands: dma,mailq,newaliases,sendmail name: dmg2img version: 1.6.7-1build1 commands: dmg2img,vfdecrypt name: dmitry version: 1.3a-1build1 commands: dmitry name: dmktools version: 0.14.0-2 commands: analyze-dmk,combine-dmk,der2dmk,dsk2dmk,empty-dmk,svi2dmk name: dms-core version: 1.0.8.1-1ubuntu1 commands: dms_admindb,dms_createdb,dms_dropdb,dms_dumpdb,dms_editconfigdb,dms_move_xlog,dms_pg_basebackup,dms_pgversion,dms_promotedb,dms_reconfigdb,dms_replicadb,dms_restoredb,dms_rmconfigdb,dms_showconfigdb,dms_sqldb,dms_startdb,dms_statusdb,dms_stopdb,dms_upgradedb,dms_write_recovery_conf,dmsdmd,dns-createzonekeys,dyndns_tool,pg_dumpallgz,zone_tool,zone_tool~rnano,zone_tool~rvim name: dms-dr version: 1.0.8.1-1ubuntu1 commands: dms_master_down,dms_master_up,dms_prepare_bind_data,dms_promote_replica,dms_start_as_replica,dms_update_wsgi_dns,etckeeper_git_shell name: dmtx-utils version: 0.7.4-1build2 commands: dmtxquery,dmtxread,dmtxwrite name: dmucs version: 0.6.1-3 commands: addhost,dmucs,gethost,loadavg,monitor,remhost name: dnaclust version: 3-5 commands: dnaclust,dnaclust-abun,dnaclust-ref,find-large-clusters,generate_test_clusters,star-align name: dnet-common version: 2.65 commands: decnetconf,setether name: dnet-progs version: 2.65 commands: ctermd,dncopy,dncopynodes,dndel,dndir,dneigh,dnetcat,dnetd,dnetinfo,dnetnml,dnetstat,dnlogin,dnping,dnprint,dnroute,dnsubmit,dntask,dntype,fal,mount.dapfs,multinet,phone,phoned,rmtermd,sendvmsmail,sethost,vmsmaild name: dns-browse version: 1.9-8 commands: dns_browse,dns_tree name: dns-flood-detector version: 1.20-4 commands: dns-flood-detector name: dns2tcp version: 0.5.2-1.1build1 commands: dns2tcpc,dns2tcpd name: dns323-firmware-tools version: 0.7.3-1 commands: mkdns323fw,splitdns323fw name: dnscrypt-proxy version: 1.9.5-1build1 commands: dnscrypt-proxy,hostip name: dnsdiag version: 1.6.3-1 commands: dnseval,dnsping,dnstraceroute name: dnsdist version: 1.2.1-1build1 commands: dnsdist name: dnshistory version: 1.3-2build3 commands: dnshistory name: dnsmasq-base-lua version: 2.79-1 commands: dnsmasq name: dnsproxy version: 1.16-0.1build2 commands: dnsproxy name: dnsrecon version: 0.8.12-1 commands: dnsrecon name: dnss version: 0.0~git20170810.0.860d2af1-1 commands: dnss name: dnssec-trigger version: 0.13-6build1 commands: dnssec-trigger-control,dnssec-trigger-control-setup,dnssec-trigger-panel,dnssec-triggerd name: dnstap-ldns version: 0.2.0-3 commands: dnstap-ldns name: dnstop version: 20120611-2build2 commands: dnstop name: dnsvi version: 1.2 commands: dnsvi name: dnsviz version: 0.6.6-1 commands: dnsviz name: dnswalk version: 2.0.2.dfsg.1-1 commands: dnswalk name: doc-central version: 1.8.3 commands: doccentral name: docbook-dsssl version: 1.79-9.1 commands: collateindex.pl name: docbook-to-man version: 1:2.0.0-41 commands: docbook-to-man,instant name: docbook-utils version: 0.6.14-3.3 commands: db2dvi,db2html,db2pdf,db2ps,db2rtf,docbook2dvi,docbook2html,docbook2man,docbook2pdf,docbook2ps,docbook2rtf,docbook2tex,docbook2texi,docbook2txt,jw,sgmldiff name: docbook2odf version: 0.244-1.1ubuntu1 commands: docbook2odf name: docbook2x version: 0.8.8-16 commands: db2x_manxml,db2x_texixml,db2x_xsltproc,docbook2x-man,docbook2x-texi,sgml2xml-isoent,utf8trans name: docdiff version: 0.5.0+git20160313-1 commands: docdiff name: dochelp version: 0.1.6 commands: dochelp name: docker version: 1.5-1build1 commands: wmdocker name: docker-compose version: 1.17.1-2 commands: docker-compose name: docker-containerd version: 0.2.3+git+docker1.13.1~ds1-1 commands: docker-containerd,docker-containerd-ctr,docker-containerd-shim name: docker-registry version: 2.6.2~ds1-1 commands: docker-registry name: docker-runc version: 1.0.0~rc2+git+docker1.13.1~ds1-3 commands: docker-runc name: docker.io version: 17.12.1-0ubuntu1 commands: docker,docker-containerd,docker-containerd-ctr,docker-containerd-shim,docker-init,docker-proxy,docker-runc,dockerd name: docker2aci version: 0.14.0+dfsg-2 commands: docker2aci name: docky version: 2.2.1.1-1 commands: docky name: doclava-aosp version: 6.0.1+r55-1 commands: doclava name: doclifter version: 2.11-1 commands: doclifter,manlifter name: doconce version: 0.7.3-1 commands: doconce name: doctest version: 0.11.4-1build1 commands: doctest name: doctorj version: 5.0.0-5 commands: doctorj name: docx2txt version: 1.4-1 commands: docx2txt name: dodgindiamond2 version: 0.2.2-3 commands: dodgindiamond2 name: dodgy version: 0.1.9-3 commands: dodgy name: dokujclient version: 3.9.0-1 commands: dokujclient name: dokuwiki version: 0.0.20160626.a-2 commands: dokuwiki-addsite,dokuwiki-delsite name: dolfin-bin version: 2017.2.0.post0-2 commands: dolfin-convert,dolfin-get-demos,dolfin-order,dolfin-plot,dolfin-version name: dolphin version: 4:17.12.3-0ubuntu1 commands: dolphin,servicemenudeinstallation,servicemenuinstallation name: dolphin4 version: 4:16.04.3-0ubuntu1 commands: dolphin4 name: donkey version: 1.0.2-1 commands: donkey,key name: doodle version: 0.7.0-9 commands: doodle name: doodled version: 0.7.0-9 commands: doodled name: doomsday version: 1.15.8-5build1 commands: boom,doom,doomsday,doomsday-compat,heretic,hexen name: doomsday-server version: 1.15.8-5build1 commands: doomsday-server name: doona version: 1.0+git20160212-1 commands: doona name: dopewars version: 1.5.12-19 commands: dopewars name: dos2unix version: 7.3.4-3 commands: dos2unix,mac2unix,unix2dos,unix2mac name: dosage version: 2.15-2 commands: dosage name: dosbox version: 0.74-4.3 commands: dosbox name: doscan version: 0.3.3-1 commands: doscan name: doschk version: 1.1-6build1 commands: doschk name: dose-builddebcheck version: 5.0.1-9build3 commands: dose-builddebcheck name: dose-distcheck version: 5.0.1-9build3 commands: dose-debcheck,dose-distcheck,dose-eclipsecheck,dose-rpmcheck name: dose-extra version: 5.0.1-9build3 commands: dose-ceve,dose-challenged,dose-deb-coinstall,dose-outdated name: dossizola version: 1.0-9 commands: dossizola name: dot-forward version: 1:0.71-2.2 commands: dot-forward name: dot2tex version: 2.9.0-2.1 commands: dot2tex name: dotdee version: 2.0-0ubuntu1 commands: dotdee name: dotmcp version: 0.2.2-14build1 commands: dot_mcp name: dotter version: 4.44.1+dfsg-2build1 commands: dotter name: doublecmd-common version: 0.8.2-1 commands: doublecmd name: dov4l version: 0.9+repack-1build1 commands: dov4l name: downtimed version: 1.0-1 commands: downtime,downtimed,downtimes name: doxygen-gui version: 1.8.13-10 commands: doxywizard name: doxypy version: 0.4.2-1.1 commands: doxypy name: doxyqml version: 0.3.0-1ubuntu1 commands: doxyqml name: dpatch version: 2.0.38+nmu1 commands: dh_dpatch_patch,dh_dpatch_unpatch,dpatch,dpatch-convert-diffgz,dpatch-edit-patch,dpatch-list-patch name: dphys-config version: 20130301~current-5 commands: dphys-config name: dphys-swapfile version: 20100506-3 commands: dphys-swapfile name: dpic version: 2014.01.01+dfsg1-0ubuntu2 commands: dpic name: dpkg-awk version: 1.2+nmu2 commands: dpkg-awk name: dpkg-sig version: 0.13.1+nmu4 commands: dpkg-sig name: dpkg-www version: 2.57 commands: dpkg-www,dpkg-www-installer name: dpm version: 1.10.0-2 commands: dpm-addfs,dpm-addpool,dpm-drain,dpm-getspacemd,dpm-getspacetokens,dpm-modifyfs,dpm-modifypool,dpm-ping,dpm-qryconf,dpm-register,dpm-releasespace,dpm-replicate,dpm-reservespace,dpm-rmfs,dpm-rmpool,dpm-updatespace,dpns-chgrp,dpns-chmod,dpns-chown,dpns-entergrpmap,dpns-enterusrmap,dpns-getacl,dpns-listgrpmap,dpns-listusrmap,dpns-ln,dpns-ls,dpns-mkdir,dpns-modifygrpmap,dpns-modifyusrmap,dpns-ping,dpns-rename,dpns-rm,dpns-rmgrpmap,dpns-rmusrmap,dpns-setacl,rfcat,rfchmod,rfcp,rfdf,rfdir,rfmkdir,rfrename,rfrm,rfstat name: dpm-copy-server-mysql version: 1.10.0-2 commands: dpmcopyd name: dpm-copy-server-postgres version: 1.10.0-2 commands: dpmcopyd name: dpm-name-server-mysql version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-name-server-postgres version: 1.10.0-2 commands: dpns-shutdown,dpnsdaemon name: dpm-rfio-server version: 1.10.0-2 commands: dpm-rfiod name: dpm-server-mysql version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-server-postgres version: 1.10.0-2 commands: dpm,dpm-buildfsv,dpm-shutdown name: dpm-srm-server-mysql version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpm-srm-server-postgres version: 1.10.0-2 commands: dpm-srmv1,dpm-srmv2,dpm-srmv2.2 name: dpt-i2o-raidutils version: 0.0.6-22 commands: dpt-i2o-raideng,dpt-i2o-raidutil,raideng,raidutil name: dpuser version: 3.3+p1+dfsg-2build1 commands: dpuser name: dput-ng version: 1.17 commands: dcut,dirt,dput name: dq version: 20161210-1 commands: dq name: dqcache version: 20161210-1 commands: dqcache,dqcache-makekey,dqcache-start name: draai version: 20160601-1 commands: dr_permutate,dr_symlinks,dr_unsort,dr_watch,draai name: drac version: 1.12-8build2 commands: rpc.dracd name: dracut-core version: 047-2 commands: dracut,dracut-catimages,lsinitrd name: dradio version: 3.8-2build2 commands: dradio,dradio-config name: dragonplayer version: 4:17.12.3-0ubuntu1 commands: dragon name: drascula version: 1.0+ds2-3 commands: drascula name: drawterm version: 20170818-1 commands: drawterm name: drawtiming version: 0.7.1-6build6 commands: drawtiming name: drawxtl version: 5.5-3build2 commands: DRAWxtl55,drawxtl name: drbdlinks version: 1.22-1 commands: drbdlinks name: drbl version: 2.20.11-4 commands: Forcevideo-drbl-live,dcs,drbl-3n-conf,drbl-all-service,drbl-aoe-img-dump,drbl-aoe-serv,drbl-autologin-env-reset,drbl-autologin-home-reset,drbl-bug-report,drbl-clean-autologin-account,drbl-clean-dhcpd-leases,drbl-client-reautologin,drbl-client-root-passwd,drbl-client-service,drbl-client-switch,drbl-client-system-select,drbl-collect-mac,drbl-cp,drbl-cp-host,drbl-cp-user,drbl-doit,drbl-fuh,drbl-fuh-get,drbl-fuh-put,drbl-fuh-rm,drbl-fuu,drbl-fuu-get,drbl-fuu-put,drbl-fuu-rm,drbl-gen-grub-efi-nb,drbl-get-host,drbl-get-user,drbl-host-cp,drbl-host-get,drbl-host-rm,drbl-live,drbl-live-boinc,drbl-live-hadoop,drbl-login-switch,drbl-netinstall,drbl-pxelinux-passwd,drbl-rm-host,drbl-rm-user,drbl-run-parts,drbl-sl,drbl-swapfile,drbl-syslinux-efi-pxe-sw,drbl-syslinux-netinstall,drbl-user-cp,drbl-user-env-reset,drbl-user-get,drbl-user-rm,drbl-useradd,drbl-useradd-file,drbl-useradd-list,drbl-useradd-range,drbl-userdel,drbl-userdel-file,drbl-userdel-list,drbl-userdel-range,drbl-wakeonlan,drbl4imp,drblpush,drblsrv,drblsrv-offline,gen-grub-efi-nb-menu,generate-pxe-menu,get-drbl-conf-param,mknic-nbi name: drc version: 3.2.2~dfsg0-2 commands: drc,glsweep,lsconv name: dreamchess version: 0.2.1-RC2-2build1 commands: dreamchess,dreamer name: driconf version: 0.9.1-4 commands: driconf name: driftnet version: 1.1.5-1.1build1 commands: driftnet name: drmips version: 2.0.1-2 commands: drmips name: drobo-utils version: 0.6.1+repack-2 commands: drobom,droboview name: droopy version: 0.20131121-1 commands: droopy name: dropbear-bin version: 2017.75-3build1 commands: dbclient,dropbear,dropbearkey name: drpython version: 1:3.11.4-1.1 commands: drpython name: drslib version: 0.3.0a3-5build1 commands: drs_checkthredds,drs_tool,translate_cmip3 name: drumgizmo version: 0.9.14-3 commands: drumgizmo name: drumkv1 version: 0.8.6-1 commands: drumkv1_jack name: drumstick-tools version: 0.5.0-4 commands: drumstick-buildsmf,drumstick-drumgrid,drumstick-dumpmid,drumstick-dumpove,drumstick-dumpsmf,drumstick-dumpwrk,drumstick-guiplayer,drumstick-metronome,drumstick-playsmf,drumstick-sysinfo,drumstick-testevents,drumstick-timertest,drumstick-vpiano name: dsdp version: 5.8-9.4 commands: dsdp5,maxcut,theta name: dsh version: 0.25.10-1.3 commands: dsh name: dsniff version: 2.4b1+debian-28.1~build1 commands: arpspoof,dnsspoof,dsniff,filesnarf,macof,mailsnarf,msgsnarf,sshmitm,sshow,tcpkill,tcpnice,urlsnarf,webmitm,webspy name: dspdfviewer version: 1.15.1-1build1 commands: dspdfviewer name: dssi-host-jack version: 1.1.1~dfsg0-1build2 commands: jack-dssi-host name: dssi-utils version: 1.1.1~dfsg0-1build2 commands: dssi_analyse_plugin,dssi_list_plugins,dssi_osc_send,dssi_osc_update name: dssp version: 3.0.0-2 commands: dssp,mkdssp name: dstat version: 0.7.3-1 commands: dstat name: dtach version: 0.9-2 commands: dtach name: dtaus version: 0.9-1.1 commands: dtaus name: dtc-xen version: 0.5.17-1.2 commands: dtc-soap-server,dtc-xen-client,dtc-xen-volgroup,dtc-xen_domU_gen_xen_conf,dtc-xen_domUconf_network_debian,dtc-xen_domUconf_network_redhat,dtc-xen_domUconf_standard,dtc-xen_finish_install,dtc-xen_migrate,dtc-xen_userconsole,dtc_change_bsd_kernel,dtc_install_centos,dtc_kill_vps_disk,dtc_reinstall_os,dtc_setup_vps_disk,dtc_write_xenhvm_conf,xm_info_free_memory name: dtdinst version: 20151127+dfsg-1 commands: dtdinst name: dtrx version: 7.1-1 commands: dtrx name: dublin-traceroute version: 0.4.2-1 commands: dublin-traceroute name: duc version: 1.4.3-3 commands: duc name: duc-nox version: 1.4.3-3 commands: duc,duc-nox name: duck version: 0.13 commands: duck name: ducktype version: 0.4-2 commands: ducktype name: duende version: 2.0.13-1.2 commands: duende name: duff version: 0.5.2-1.1build1 commands: duff name: duktape version: 2.2.0-3 commands: duk name: duma version: 2.5.15-1.1ubuntu2 commands: duma name: dumb-init version: 1.2.1-1 commands: dumb-init name: dump version: 0.4b46-3 commands: dump,rdump,restore,rmt,rmt-dump,rrestore name: dumpasn1 version: 20170309-1 commands: dumpasn1 name: dumpet version: 2.1-9 commands: dumpet name: dumphd version: 0.61-0.4ubuntu1 commands: acapacker,dumphd,packscanner name: dunst version: 1.3.0-2 commands: dunst name: duperemove version: 0.11-1 commands: btrfs-extent-same,duperemove,hashstats,show-shared-extents name: duply version: 2.0.3-1 commands: duply name: durep version: 0.9-3 commands: durep name: dustracing2d version: 2.0.1-1 commands: dustrac-editor,dustrac-game name: dv4l version: 1.0-5build1 commands: dv4l,dv4lstart name: dvb-apps version: 1.1.1+rev1500-1.2 commands: alevt,alevt-cap,alevt-date,atsc_epg,av7110_loadkeys,azap,czap,dib3000-watch,dst_test,dvbdate,dvbnet,dvbscan,dvbtraffic,femon,gnutv,gotox,lsdvb,scan,szap,tzap,zap name: dvb-tools version: 1.14.2-1 commands: dvb-fe-tool,dvb-format-convert,dvbv5-daemon,dvbv5-scan,dvbv5-zap name: dvbackup version: 1:0.0.4-9 commands: dvbackup name: dvbcut version: 0.7.2-1 commands: dvbcut name: dvblast version: 3.1-2 commands: dvblast,dvblast_mmi.sh,dvblastctl name: dvbpsi-utils version: 1.3.2-1 commands: dvbinfo name: dvbsnoop version: 1.4.50-5ubuntu2 commands: dvbsnoop name: dvbstream version: 0.6+cvs20090621-1build1 commands: dumprtp,dvbstream,rtpfeed,ts_filter name: dvbstreamer version: 2.1.0-5build1 commands: convertdvbdb,dvbctrl,dvbstreamer,setupdvbstreamer name: dvbtune version: 0.5.ds-1.1 commands: dvbtune,xml2vdr name: dvcs-autosync version: 0.5+nmu1 commands: dvcs-autosync name: dvd+rw-tools version: 7.1-12 commands: btcflash,dvd+rw-booktype,dvd+rw-mediainfo,dvd-ram-control,rpl8 name: dvdauthor version: 0.7.0-2build1 commands: dvdauthor,dvddirdel,dvdunauthor,mpeg2desc,spumux,spuunmux name: dvdbackup version: 0.4.2-4build1 commands: dvdbackup name: dvdisaster version: 0.79.5-5 commands: dvdisaster name: dvdrip-utils version: 1:0.98.11-0ubuntu8 commands: dvdrip-progress,dvdrip-splitpipe name: dvdtape version: 1.6-2build1 commands: dvdtape name: dvgrab version: 3.5+git20160707.1.e46042e-1 commands: dvgrab name: dvhtool version: 1.0.1-5build1 commands: dvhtool name: dvi2dvi version: 2.0alpha-10 commands: dvi2dvi name: dvi2ps version: 5.1j-1.2build1 commands: dvi2ps,lprdvi,nup,texfix name: dvidvi version: 1.0-8.2 commands: a5booklet,dvidvi name: dvipng version: 1.15-1 commands: dvigif,dvipng name: dvorak7min version: 1.6.1+repack-2build2 commands: dvorak7min name: dvtm version: 0.15-2 commands: dvtm name: dwarfdump version: 20180129-1 commands: dwarfdump name: dwarves version: 1.10-2.1build1 commands: codiff,ctracer,dtagnames,pahole,pdwtags,pfunct,pglobal,prefcnt,scncopy,syscse name: dwdiff version: 2.1.1-2build1 commands: dwdiff,dwfilter name: dwgsim version: 0.1.11-3build1 commands: dwgsim name: dwm version: 6.1-4 commands: dwm,dwm.default,dwm.maintainer,dwm.web,dwm.winkey,x-window-manager name: dwww version: 1.13.4 commands: dwww,dwww-build,dwww-build-menu,dwww-cache,dwww-convert,dwww-find,dwww-format-man,dwww-index++,dwww-quickfind,dwww-refresh-cache,dwww-txt2html name: dwz version: 0.12-2 commands: dwz name: dx version: 1:4.4.4-10build2 commands: dx name: dxf2gcode version: 20170925-4 commands: dxf2gcode name: dxtool version: 0.1-2 commands: dxtool name: dynalogin-server version: 1.0.0-3ubuntu4 commands: dynalogind name: dynamite version: 0.1.1-2build1 commands: dynamite,id-shr-extract name: dynare version: 4.5.4-1 commands: dynare++ name: dyndns version: 2016.1021-2 commands: dyndns name: dzedit version: 20061220+dfsg3-4.3ubuntu1 commands: dzeX11,dzedit name: dzen2 version: 0.9.5~svn271-4build1 commands: dzen2,dzen2-dbar,dzen2-gcpubar,dzen2-gdbar,dzen2-textwidth name: e-mem version: 1.0.1-1 commands: e-mem name: e00compr version: 1.0.1-3 commands: e00conv name: e17 version: 0.17.6-1.1 commands: enlightenment,enlightenment_filemanager,enlightenment_imc,enlightenment_open,enlightenment_remote,enlightenment_start,x-window-manager name: e2fsck-static version: 1.44.1-1 commands: e2fsck.static name: e2guardian version: 3.4.0.3-2 commands: e2guardian name: e2ps version: 4.34-5 commands: e2lpr,e2ps name: e2tools version: 0.0.16-6.1build1 commands: e2cp,e2ln,e2ls,e2mkdir,e2mv,e2rm,e2tail name: ea-utils version: 1.1.2+dfsg-4build1 commands: determine-phred,ea-alc,fastq-clipper,fastq-join,fastq-mcf,fastq-multx,fastq-stats,fastx-graph,randomFQ,sam-stats,varcall name: eancheck version: 1.0-2 commands: eancheck name: earlyoom version: 1.0-1 commands: earlyoom name: easy-rsa version: 2.2.2-2 commands: make-cadir name: easychem version: 0.6-8build1 commands: easychem name: easygit version: 0.99-2 commands: eg name: easyh10 version: 1.5-4 commands: easyh10 name: easystroke version: 0.6.0-0ubuntu11 commands: easystroke name: easytag version: 2.4.3-4 commands: easytag name: eb-utils version: 4.4.3-12 commands: ebappendix,ebfont,ebinfo,ebrefile,ebstopcode,ebunzip,ebzip,ebzipinfo name: ebhttpd version: 1:1.0.dfsg.1-4.3build1 commands: ebhtcheck,ebhtcontrol,ebhttpd name: eblook version: 1:1.6.1-15 commands: eblook name: ebnetd version: 1:1.0.dfsg.1-4.3build1 commands: ebncheck,ebncontrol,ebnetd name: ebnetd-common version: 1:1.0.dfsg.1-4.3build1 commands: ebndaily,ebnupgrade,update-ebnetd.conf name: ebnflint version: 0.0~git20150826.1.eb7c1fa-1 commands: ebnflint name: eboard version: 1.1.1-6.1 commands: eboard,eboard-addtheme,eboard-config name: ebook-speaker version: 5.0.0-1 commands: eBook-speaker,ebook-speaker name: ebook2cw version: 0.8.2-2build1 commands: ebook2cw name: ebook2cwgui version: 0.1.2-3build1 commands: ebook2cwgui name: ebook2epub version: 0.9.6-1 commands: ebook2epub name: ebook2odt version: 0.9.6-1 commands: ebook2odt name: ebsmount version: 0.94-0ubuntu1 commands: ebsmount-manual,ebsmount-udev name: ebumeter version: 0.4.0-4 commands: ebumeter,ebur128 name: ebview version: 0.3.6.2-1.4ubuntu2 commands: ebview,ebview-client name: ecaccess version: 4.0.1-1 commands: ecaccess,ecaccess-association-delete,ecaccess-association-delete.bat,ecaccess-association-get,ecaccess-association-get.bat,ecaccess-association-list,ecaccess-association-list.bat,ecaccess-association-protocol,ecaccess-association-protocol.bat,ecaccess-association-put,ecaccess-association-put.bat,ecaccess-certificate-create,ecaccess-certificate-create.bat,ecaccess-certificate-list,ecaccess-certificate-list.bat,ecaccess-cosinfo,ecaccess-cosinfo.bat,ecaccess-ectrans-delete,ecaccess-ectrans-delete.bat,ecaccess-ectrans-list,ecaccess-ectrans-list.bat,ecaccess-ectrans-request,ecaccess-ectrans-request.bat,ecaccess-ectrans-restart,ecaccess-ectrans-restart.bat,ecaccess-event-clear,ecaccess-event-clear.bat,ecaccess-event-create,ecaccess-event-create.bat,ecaccess-event-delete,ecaccess-event-delete.bat,ecaccess-event-grant,ecaccess-event-grant.bat,ecaccess-event-list,ecaccess-event-list.bat,ecaccess-event-send,ecaccess-event-send.bat,ecaccess-file-chmod,ecaccess-file-chmod.bat,ecaccess-file-copy,ecaccess-file-copy.bat,ecaccess-file-delete,ecaccess-file-delete.bat,ecaccess-file-dir,ecaccess-file-dir.bat,ecaccess-file-get,ecaccess-file-get.bat,ecaccess-file-mdelete,ecaccess-file-mdelete.bat,ecaccess-file-mget,ecaccess-file-mget.bat,ecaccess-file-mkdir,ecaccess-file-mkdir.bat,ecaccess-file-modtime,ecaccess-file-modtime.bat,ecaccess-file-move,ecaccess-file-move.bat,ecaccess-file-mput,ecaccess-file-mput.bat,ecaccess-file-put,ecaccess-file-put.bat,ecaccess-file-rmdir,ecaccess-file-rmdir.bat,ecaccess-file-size,ecaccess-file-size.bat,ecaccess-gateway-connected,ecaccess-gateway-connected.bat,ecaccess-gateway-list,ecaccess-gateway-list.bat,ecaccess-gateway-name,ecaccess-gateway-name.bat,ecaccess-job-delete,ecaccess-job-delete.bat,ecaccess-job-get,ecaccess-job-get.bat,ecaccess-job-list,ecaccess-job-list.bat,ecaccess-job-restart,ecaccess-job-restart.bat,ecaccess-job-submit,ecaccess-job-submit.bat,ecaccess-queue-list,ecaccess-queue-list.bat,ecaccess.bat name: ecasound version: 2.9.1-7ubuntu2 commands: ecasound name: ecatools version: 2.9.1-7ubuntu2 commands: ecaconvert,ecafixdc,ecalength,ecamonitor,ecanormalize,ecaplay,ecasignalview name: ecdsautils version: 0.3.2+git20151018-2build1 commands: ecdsakeygen,ecdsasign,ecdsaverify name: ecere-dev version: 0.44.15-1 commands: documentor,ear,ecc,ecere-ide,ecp,ecs,epj2make name: ecflow-client version: 4.8.0-1 commands: ecflow_client,ecflow_test_ui,ecflow_ui,ecflow_ui.x,ecflowview name: ecflow-server version: 4.8.0-1 commands: ecflow_logsvr,ecflow_logsvr.pl,ecflow_server,ecflow_start,ecflow_stop,ecflow_test_ui,noconnect.sh name: echoping version: 6.0.2-10 commands: echoping name: ecj version: 3.13.3-1 commands: ecj,javac name: ecl version: 16.1.2-3 commands: ecl,ecl-config name: eclib-tools version: 20171002-1build1 commands: mwrank name: eclipse-platform version: 3.8.1-11 commands: eclipse name: ecm version: 1.03-1build1 commands: ecm-compress,ecm-uncompress name: ecopcr version: 0.5.0+dfsg-1 commands: ecoPCR,ecoPCRFilter,ecoPCRFormat,ecoSort,ecofind,ecogrep,ecoisundertaxon name: ecosconfig-imx version: 200910-0ubuntu5 commands: ecosconfig-imx name: ecryptfs-utils version: 111-0ubuntu5 commands: ecryptfs-add-passphrase,ecryptfs-find,ecryptfs-insert-wrapped-passphrase-into-keyring,ecryptfs-manager,ecryptfs-migrate-home,ecryptfs-mount-private,ecryptfs-recover-private,ecryptfs-rewrap-passphrase,ecryptfs-rewrite-file,ecryptfs-setup-private,ecryptfs-setup-swap,ecryptfs-stat,ecryptfs-umount-private,ecryptfs-unwrap-passphrase,ecryptfs-verify,ecryptfs-wrap-passphrase,ecryptfsd,mount.ecryptfs,mount.ecryptfs_private,umount.ecryptfs,umount.ecryptfs_private name: ed2k-hash version: 0.3.3+deb2-3 commands: ed2k_hash name: edac-utils version: 0.18-1build1 commands: edac-ctl,edac-util name: edbrowse version: 3.7.2-1 commands: edbrowse name: edenmath.app version: 1.1.1a-7.1build2 commands: EdenMath name: edfbrowser version: 1.62+dfsg-1 commands: edfbrowser name: edgar version: 1.23-1build1 commands: edgar name: edict version: 2016.12.06-1 commands: edict-grep name: edid-decode version: 0.1~git20160708.c72db881-1 commands: edid-decode name: edisplay version: 1.0.1-1 commands: edisplay name: editmoin version: 1.17-2 commands: editmoin name: editorconfig version: 0.12.1-1.1 commands: editorconfig,editorconfig-0.12.1 name: editra version: 0.7.20+dfsg.1-3 commands: editra name: edtsurf version: 0.2009-5 commands: EDTSurf name: edubuntu-live version: 14.04.2build1 commands: edubuntu-langpack-installer name: edubuntu-menueditor version: 1.3.5-0ubuntu2 commands: menueditor,profilemanager name: eekboek version: 2.02.05+dfsg-2 commands: ebshell name: eekboek-gui version: 2.02.05+dfsg-2 commands: ebwxshell name: efax version: 1:0.9a-19.1 commands: efax,efix,fax name: efax-gtk version: 3.2.8-2.1 commands: efax-0.9a,efax-gtk,efax-gtk-faxfilter,efax-gtk-socket-client,efix-0.9a name: eficas version: 6.4.0-1-2 commands: eficas,eficasQt name: efingerd version: 1.6.5build1 commands: efingerd name: eflite version: 0.4.1-8 commands: eflite name: efte version: 1.1-2build2 commands: efte,nefte,vefte name: egctl version: 1:0.1-1 commands: egctl name: eggdrop version: 1.6.21-4build1 commands: eggdrop,eggdrop-1.6.21 name: eiciel version: 0.9.12.1-1 commands: eiciel name: einstein version: 2.0.dfsg.2-9build1 commands: einstein name: eiskaltdcpp-cli version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-cli-jsonrpc name: eiskaltdcpp-daemon version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-daemon name: eiskaltdcpp-gtk version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-gtk name: eiskaltdcpp-qt version: 2.2.10+186+g1c0173ec-2 commands: eiskaltdcpp-qt name: eja version: 9.5.20-1 commands: eja name: ejabberd version: 18.01-2 commands: ejabberdctl name: ekeyd version: 1.1.5-6.2 commands: ekey-rekey,ekey-setkey,ekeyd,ekeydctl name: ekeyd-egd-linux version: 1.1.5-6.2 commands: ekeyd-egd-linux name: ekg2-core version: 1:0.4~pre+20120506.1-14build1 commands: ekg2 name: ekiga version: 4.0.1-9build1 commands: ekiga,ekiga-config-tool,ekiga-helper name: elastalert version: 0.1.28-1 commands: elastalert,elastalert-create-index,elastalert-rule-from-kibana,elastalert-test-rule name: elastichosts-utils version: 20090817-0ubuntu1 commands: elastichosts,elastichosts-upload name: elasticsearch-curator version: 5.2.0-1 commands: curator,curator_cli,es_repo_mgr name: electric version: 9.07+dfsg-3ubuntu2 commands: electric name: eleeye version: 0.29.6.3-1 commands: eleeye_engine name: elektra-bin version: 0.8.14-5.1ubuntu2 commands: kdb name: elektra-tests version: 0.8.14-5.1ubuntu2 commands: kdb-full name: elfrc version: 0.7-2 commands: elfrc name: elida version: 0.4+nmu1 commands: elida,elidad name: elinks version: 0.12~pre6-13 commands: elinks,www-browser name: elixir version: 1.3.3-2 commands: elixir,elixirc,iex,mix name: elk version: 3.99.8-4.1build1 commands: elk,scheme-elk name: elk-lapw version: 4.0.15-2build1 commands: elk-bands,elk-lapw,eos,spacegroup,xps_exc name: elki version: 0.7.1-6 commands: elki,elki-cli name: elog version: 3.1.3-1-1build1 commands: elconv,elog,elogd name: elpa-buttercup version: 1.9-1 commands: buttercup name: elpa-pdf-tools-server version: 0.80-1build1 commands: epdfinfo name: elvis-tiny version: 1.4-24 commands: editor,elvis-tiny,vi name: elvish version: 0.11+ds1-3 commands: elvish name: emacs25-lucid version: 25.2+1-6 commands: editor,emacs,emacs25,emacs25-lucid name: emacspeak version: 47.0+dfsg-1 commands: emacspeakconfig name: email-reminder version: 0.7.8-3 commands: collect-reminders,email-reminder-editor,send-reminders name: embassy-domainatrix version: 0.1.660-2 commands: cathparse,domainnr,domainreso,domainseqs,domainsse,scopparse,ssematch name: embassy-domalign version: 0.1.660-2 commands: allversusall,domainalign,domainrep,seqalign name: embassy-domsearch version: 1:0.1.660-2 commands: seqfraggle,seqnr,seqsearch,seqsort,seqwords name: ember version: 0.7.2+dfsg-1build2 commands: ember,ember.bin name: emboss version: 6.6.0+dfsg-6build1 commands: aaindexextract,abiview,acdc,acdgalaxy,acdlog,acdpretty,acdtable,acdtrace,acdvalid,aligncopy,aligncopypair,antigenic,assemblyget,backtranambig,backtranseq,banana,biosed,btwisted,cachedas,cachedbfetch,cacheebeyesearch,cacheensembl,cai,chaos,charge,checktrans,chips,cirdna,codcmp,codcopy,coderet,compseq,consambig,cpgplot,cpgreport,cusp,cutgextract,cutseq,dan,dbiblast,dbifasta,dbiflat,dbigcg,dbtell,dbxcompress,dbxedam,dbxfasta,dbxflat,dbxgcg,dbxobo,dbxreport,dbxresource,dbxstat,dbxtax,dbxuncompress,degapseq,density,descseq,diffseq,distmat,dotmatcher,dotpath,dottup,dreg,drfinddata,drfindformat,drfindid,drfindresource,drget,drtext,edamdef,edamhasinput,edamhasoutput,edamisformat,edamisid,edamname,edialign,einverted,em_cons,em_pscan,embossdata,embossupdate,embossversion,emma,emowse,entret,epestfind,eprimer3,eprimer32,equicktandem,est2genome,etandem,extractalign,extractfeat,extractseq,featcopy,featmerge,featreport,feattext,findkm,freak,fuzznuc,fuzzpro,fuzztran,garnier,geecee,getorf,godef,goname,helixturnhelix,hmoment,iep,infoalign,infoassembly,infobase,inforesidue,infoseq,isochore,jaspextract,jaspscan,jembossctl,lindna,listor,makenucseq,makeprotseq,marscan,maskambignuc,maskambigprot,maskfeat,maskseq,matcher,megamerger,merger,msbar,mwcontam,mwfilter,needle,needleall,newcpgreport,newcpgseek,newseq,nohtml,noreturn,nospace,notab,notseq,nthseq,nthseqset,octanol,oddcomp,ontocount,ontoget,ontogetcommon,ontogetdown,ontogetobsolete,ontogetroot,ontogetsibs,ontogetup,ontoisobsolete,ontotext,palindrome,pasteseq,patmatdb,patmatmotifs,pepcoil,pepdigest,pepinfo,pepnet,pepstats,pepwheel,pepwindow,pepwindowall,plotcon,plotorf,polydot,preg,prettyplot,prettyseq,primersearch,printsextract,profit,prophecy,prophet,prosextract,psiphi,rebaseextract,recoder,redata,refseqget,remap,restover,restrict,revseq,seealso,seqcount,seqmatchall,seqret,seqretsetall,seqretsplit,seqxref,seqxrefget,servertell,showalign,showdb,showfeat,showorf,showpep,showseq,showserver,shuffleseq,sigcleave,silent,sirna,sixpack,sizeseq,skipredundant,skipseq,splitsource,splitter,stretcher,stssearch,supermatcher,syco,taxget,taxgetdown,taxgetrank,taxgetspecies,taxgetup,tcode,textget,textsearch,tfextract,tfm,tfscan,tmap,tranalign,transeq,trimest,trimseq,trimspace,twofeat,union,urlget,variationget,vectorstrip,water,whichdb,wobble,wordcount,wordfinder,wordmatch,wossdata,wossinput,wossname,wossoperation,wossoutput,wossparam,wosstopic,xmlget,xmltext,yank name: emboss-explorer version: 2.2.0-9 commands: acdcheck,mkstatic name: emelfm2 version: 0.4.1-0ubuntu4 commands: emelfm2 name: emma version: 0.6-5 commands: Emma name: emms version: 4.4-1 commands: emms-print-metadata name: empathy version: 3.25.90+really3.12.14-0ubuntu1 commands: empathy,empathy-accounts,empathy-debugger name: empire version: 1.14-1build1 commands: empire name: empire-hub version: 1.0.2.2 commands: emp_hub name: empire-lafe version: 1.1-1build2 commands: lafe name: empty-expect version: 0.6.20b-1ubuntu1 commands: empty name: emu8051 version: 1.1.1-1build1 commands: emu8051-cli,emu8051-gtk name: enblend version: 4.2-3 commands: enblend name: enca version: 1.19-1 commands: enca,enconv name: encfs version: 1.9.2-2build2 commands: encfs,encfsctl,encfssh name: encuentro version: 5.0-1 commands: encuentro name: endless-sky version: 0.9.8-1 commands: endless-sky name: enemylines3 version: 1.2-8 commands: enemylines3 name: enemylines7 version: 0.6-4ubuntu2 commands: enemylines7 name: enfuse version: 4.2-3 commands: enfuse name: engauge-digitizer version: 10.4+ds.1-1 commands: engauge name: engrampa version: 1.20.0-1 commands: engrampa name: enigma version: 1.20-dfsg.1-2.1build1 commands: enigma name: enjarify version: 1:1.0.3-3 commands: enjarify name: enscribe version: 0.1.0-3 commands: enscribe name: enscript version: 1.6.5.90-3 commands: diffpp,enscript,mkafmmap,over,sliceprint,states name: ensymble version: 0.29-1ubuntu1 commands: ensymble name: ent version: 1.2debian-1build1 commands: ent name: entagged version: 0.35-6 commands: entagged name: entangle version: 0.7.2-1ubuntu1 commands: entangle name: entr version: 3.9-1 commands: entr name: entropybroker version: 2.9-1 commands: eb_client_egd,eb_client_file,eb_client_kernel_generic,eb_client_linux_kernel,eb_proxy_knuth_b,eb_proxy_knuth_m,eb_server_Araneus_Alea,eb_server_ComScire_R2000KU,eb_server_audio,eb_server_egd,eb_server_ext_proc,eb_server_linux_kernel,eb_server_push_file,eb_server_smartcard,eb_server_stream,eb_server_timers,eb_server_usb,eb_server_v4l,entropy_broker name: enum version: 1.1-1 commands: enum name: env2 version: 1.1.0-4 commands: env2 name: environment-modules version: 4.1.1-1 commands: add.modules,envml,mkroot,modulecmd name: envstore version: 2.1-4 commands: envify,envstore name: eoconv version: 1.5-1 commands: eoconv name: eom version: 1.20.0-2ubuntu1 commands: eom name: eot-utils version: 1.1-1build1 commands: eotinfo,mkeot name: eot2ttf version: 0.01-5 commands: eot2ttf name: eperl version: 2.2.14-22build3 commands: eperl name: epic4 version: 1:2.10.6-1build3 commands: epic4,irc name: epic5 version: 2.0.1-1build3 commands: epic5,irc name: epiphany version: 0.7.0+0-3build1 commands: epiphany-game name: epiphany-browser version: 3.28.1-1ubuntu1 commands: epiphany,epiphany-browser,gnome-www-browser,x-www-browser name: epix version: 1.2.18-1 commands: elaps,epix,flix,laps name: epm version: 4.2-8 commands: epm,epminstall,mkepmlist name: epoptes version: 0.5.10-2 commands: epoptes name: epoptes-client version: 0.5.10-2 commands: epoptes-client name: epsilon-bin version: 0.9.2+dfsg-2 commands: epsilon,start_epsilon_nodes,stop_epsilon_nodes name: epstool version: 3.08+repack-7 commands: epstool name: epub-utils version: 0.2.2-4ubuntu1 commands: einfo,lit2epub name: epubcheck version: 4.0.2-2 commands: epubcheck name: epylog version: 1.0.8-2 commands: epylog name: eql version: 1.2.ds1-4build1 commands: eql_enslave name: eqonomize version: 0.6-8 commands: eqonomize name: equalx version: 0.7.1-4build1 commands: equalx name: equivs version: 2.1.0 commands: equivs-build,equivs-control name: ergo version: 3.5-1 commands: ergo name: eric version: 17.11.1-1 commands: eric,eric6,eric6_api,eric6_compare,eric6_configure,eric6_diff,eric6_doc,eric6_editor,eric6_hexeditor,eric6_iconeditor,eric6_plugininstall,eric6_pluginrepository,eric6_pluginuninstall,eric6_qregexp,eric6_qregularexpression,eric6_re,eric6_shell,eric6_snap,eric6_sqlbrowser,eric6_tray,eric6_trpreviewer,eric6_uipreviewer,eric6_unittest,eric6_webbrowser name: erlang-common-test version: 1:20.2.2+dfsg-1ubuntu2 commands: ct_run name: erlang-dialyzer version: 1:20.2.2+dfsg-1ubuntu2 commands: dialyzer name: erlang-guestfs version: 1:1.36.13-1ubuntu3 commands: erl-guestfs name: erlsvc version: 1.02-3 commands: erlsvc name: esajpip version: 0.1~bzr33-4 commands: esa_jpip_server name: escputil version: 5.2.13-2 commands: escputil name: esekeyd version: 1.2.7-1build1 commands: esekeyd,keytest,learnkeys name: esmtp version: 1.2-15 commands: esmtp name: esmtp-run version: 1.2-15 commands: mailq,newaliases,sendmail name: esnacc version: 1.8.1-1build1 commands: esnacc name: esniper version: 2.33.0-6build1 commands: esniper name: eso-midas version: 17.02pl1.2-2build1 commands: gomidas,helpmidas,inmidas name: esorex version: 3.13-4 commands: esorex name: espctag version: 0.4-1build1 commands: espctag name: espeak version: 1.48.04+dfsg-5 commands: espeak name: espeak-ng version: 1.49.2+dfsg-1 commands: espeak-ng,speak-ng name: espeak-ng-espeak version: 1.49.2+dfsg-1 commands: espeak,speak name: espeakedit version: 1.48.03-4 commands: espeakedit name: espeakup version: 1:0.80-9 commands: espeakup name: esperanza version: 0.4.0+git20091017-5 commands: esperanza name: esptool version: 2.1+dfsg1-2 commands: espefuse,espsecure,esptool name: esys-particle version: 2.3.5+dfsg1-2build1 commands: dump2geo,dump2pov,dump2vtk,esysparticle,fcconv,fracextract,grainextract,mesh2pov,mpipython,raw2tostress,rotextract,strainextract name: etcd-client version: 3.2.17+dfsg-1 commands: etcd-dump-db,etcd-dump-logs,etcd2-backup-coreos,etcdctl name: etcd-fs version: 0.0+git20140621.0.395eacb-2ubuntu1 commands: etcd-fs name: etcd-server version: 3.2.17+dfsg-1 commands: etcd name: eterm version: 0.9.6-5 commands: Esetroot,Etbg,Etbg_update_list,Etcolors,Eterm,Etsearch,Ettable,kEsetroot name: etherape version: 0.9.16-1 commands: etherape name: etherpuppet version: 0.3-3 commands: etherpuppet name: etherwake version: 1.09-4build1 commands: etherwake name: ethstats version: 1.1.1-3 commands: ethstats name: ethstatus version: 0.4.8 commands: ethstatus name: etktab version: 3.2-5 commands: eTktab,fileconvert-v1-to-v2 name: etl-dev version: 1.2.1-0.1 commands: ETL-config name: etm version: 3.2.30-1 commands: etm name: etsf-io version: 1.0.4-2 commands: etsf_io name: ettercap-common version: 1:0.8.2-10build4 commands: etterfilter,etterlog name: ettercap-graphical version: 1:0.8.2-10build4 commands: ettercap,ettercap-pkexec name: ettercap-text-only version: 1:0.8.2-10build4 commands: ettercap name: etw version: 3.6+svn162-3 commands: etw name: euca2ools version: 3.3.1-1 commands: euare-accountaliascreate,euare-accountaliasdelete,euare-accountaliaslist,euare-accountcreate,euare-accountdel,euare-accountdelpolicy,euare-accountgetpolicy,euare-accountgetsummary,euare-accountlist,euare-accountlistpolicies,euare-accountuploadpolicy,euare-assumerole,euare-getldapsyncstatus,euare-groupaddpolicy,euare-groupadduser,euare-groupcreate,euare-groupdel,euare-groupdelpolicy,euare-groupgetpolicy,euare-grouplistbypath,euare-grouplistpolicies,euare-grouplistusers,euare-groupmod,euare-groupremoveuser,euare-groupuploadpolicy,euare-instanceprofileaddrole,euare-instanceprofilecreate,euare-instanceprofiledel,euare-instanceprofilegetattributes,euare-instanceprofilelistbypath,euare-instanceprofilelistforrole,euare-instanceprofileremoverole,euare-releaserole,euare-roleaddpolicy,euare-rolecreate,euare-roledel,euare-roledelpolicy,euare-rolegetattributes,euare-rolegetpolicy,euare-rolelistbypath,euare-rolelistpolicies,euare-roleupdateassumepolicy,euare-roleuploadpolicy,euare-servercertdel,euare-servercertgetattributes,euare-servercertlistbypath,euare-servercertmod,euare-servercertupload,euare-useraddcert,euare-useraddkey,euare-useraddloginprofile,euare-useraddpolicy,euare-usercreate,euare-usercreatecert,euare-userdeactivatemfadevice,euare-userdel,euare-userdelcert,euare-userdelkey,euare-userdelloginprofile,euare-userdelpolicy,euare-userenablemfadevice,euare-usergetattributes,euare-usergetinfo,euare-usergetloginprofile,euare-usergetpolicy,euare-userlistbypath,euare-userlistcerts,euare-userlistgroups,euare-userlistkeys,euare-userlistmfadevices,euare-userlistpolicies,euare-usermod,euare-usermodcert,euare-usermodkey,euare-usermodloginprofile,euare-userresyncmfadevice,euare-userupdateinfo,euare-useruploadpolicy,euca-accept-vpc-peering-connection,euca-allocate-address,euca-assign-private-ip-addresses,euca-associate-address,euca-associate-dhcp-options,euca-associate-route-table,euca-attach-internet-gateway,euca-attach-network-interface,euca-attach-volume,euca-attach-vpn-gateway,euca-authorize,euca-bundle-and-upload-image,euca-bundle-image,euca-bundle-instance,euca-bundle-vol,euca-cancel-bundle-task,euca-cancel-conversion-task,euca-confirm-product-instance,euca-copy-image,euca-create-customer-gateway,euca-create-dhcp-options,euca-create-group,euca-create-image,euca-create-internet-gateway,euca-create-keypair,euca-create-network-acl,euca-create-network-acl-entry,euca-create-network-interface,euca-create-route,euca-create-route-table,euca-create-snapshot,euca-create-subnet,euca-create-tags,euca-create-volume,euca-create-vpc,euca-create-vpc-peering-connection,euca-create-vpn-connection,euca-create-vpn-connection-route,euca-create-vpn-gateway,euca-delete-bundle,euca-delete-customer-gateway,euca-delete-dhcp-options,euca-delete-disk-image,euca-delete-group,euca-delete-internet-gateway,euca-delete-keypair,euca-delete-network-acl,euca-delete-network-acl-entry,euca-delete-network-interface,euca-delete-route,euca-delete-route-table,euca-delete-snapshot,euca-delete-subnet,euca-delete-tags,euca-delete-volume,euca-delete-vpc,euca-delete-vpc-peering-connection,euca-delete-vpn-connection,euca-delete-vpn-connection-route,euca-delete-vpn-gateway,euca-deregister,euca-describe-account-attributes,euca-describe-addresses,euca-describe-availability-zones,euca-describe-bundle-tasks,euca-describe-conversion-tasks,euca-describe-customer-gateways,euca-describe-dhcp-options,euca-describe-group,euca-describe-groups,euca-describe-image-attribute,euca-describe-images,euca-describe-instance-attribute,euca-describe-instance-status,euca-describe-instance-types,euca-describe-instances,euca-describe-internet-gateways,euca-describe-keypairs,euca-describe-network-acls,euca-describe-network-interface-attribute,euca-describe-network-interfaces,euca-describe-regions,euca-describe-route-tables,euca-describe-snapshot-attribute,euca-describe-snapshots,euca-describe-subnets,euca-describe-tags,euca-describe-volumes,euca-describe-vpc-attribute,euca-describe-vpc-peering-connections,euca-describe-vpcs,euca-describe-vpn-connections,euca-describe-vpn-gateways,euca-detach-internet-gateway,euca-detach-network-interface,euca-detach-volume,euca-detach-vpn-gateway,euca-disable-vgw-route-propagation,euca-disassociate-address,euca-disassociate-route-table,euca-download-and-unbundle,euca-download-bundle,euca-enable-vgw-route-propagation,euca-fingerprint-key,euca-generate-environment-config,euca-get-console-output,euca-get-password,euca-get-password-data,euca-import-instance,euca-import-keypair,euca-import-volume,euca-install-image,euca-modify-image-attribute,euca-modify-instance-attribute,euca-modify-instance-type,euca-modify-network-interface-attribute,euca-modify-snapshot-attribute,euca-modify-subnet-attribute,euca-modify-vpc-attribute,euca-monitor-instances,euca-reboot-instances,euca-register,euca-reject-vpc-peering-connection,euca-release-address,euca-replace-network-acl-association,euca-replace-network-acl-entry,euca-replace-route,euca-replace-route-table-association,euca-reset-image-attribute,euca-reset-instance-attribute,euca-reset-network-interface-attribute,euca-reset-snapshot-attribute,euca-resume-import,euca-revoke,euca-run-instances,euca-start-instances,euca-stop-instances,euca-terminate-instances,euca-unassign-private-ip-addresses,euca-unbundle,euca-unbundle-stream,euca-unmonitor-instances,euca-upload-bundle,euca-version,euform-cancel-update-stack,euform-create-stack,euform-delete-stack,euform-describe-stack-events,euform-describe-stack-resource,euform-describe-stack-resources,euform-describe-stacks,euform-get-template,euform-list-stack-resources,euform-list-stacks,euform-update-stack,euform-validate-template,euimage-describe-pack,euimage-install-pack,euimage-pack-image,eulb-apply-security-groups-to-lb,eulb-attach-lb-to-subnets,eulb-configure-healthcheck,eulb-create-app-cookie-stickiness-policy,eulb-create-lb,eulb-create-lb-cookie-stickiness-policy,eulb-create-lb-listeners,eulb-create-lb-policy,eulb-create-tags,eulb-delete-lb,eulb-delete-lb-listeners,eulb-delete-lb-policy,eulb-delete-tags,eulb-deregister-instances-from-lb,eulb-describe-instance-health,eulb-describe-lb-attributes,eulb-describe-lb-policies,eulb-describe-lb-policy-types,eulb-describe-lbs,eulb-describe-tags,eulb-detach-lb-from-subnets,eulb-disable-zones-for-lb,eulb-enable-zones-for-lb,eulb-modify-lb-attributes,eulb-register-instances-with-lb,eulb-set-lb-listener-ssl-cert,eulb-set-lb-policies-for-backend-server,eulb-set-lb-policies-of-listener,euscale-create-auto-scaling-group,euscale-create-launch-config,euscale-create-or-update-tags,euscale-delete-auto-scaling-group,euscale-delete-launch-config,euscale-delete-notification-configuration,euscale-delete-policy,euscale-delete-scheduled-action,euscale-delete-tags,euscale-describe-account-limits,euscale-describe-adjustment-types,euscale-describe-auto-scaling-groups,euscale-describe-auto-scaling-instances,euscale-describe-auto-scaling-notification-types,euscale-describe-launch-configs,euscale-describe-metric-collection-types,euscale-describe-notification-configurations,euscale-describe-policies,euscale-describe-process-types,euscale-describe-scaling-activities,euscale-describe-scheduled-actions,euscale-describe-tags,euscale-describe-termination-policy-types,euscale-disable-metrics-collection,euscale-enable-metrics-collection,euscale-execute-policy,euscale-put-notification-configuration,euscale-put-scaling-policy,euscale-put-scheduled-update-group-action,euscale-resume-processes,euscale-set-desired-capacity,euscale-set-instance-health,euscale-suspend-processes,euscale-terminate-instance-in-auto-scaling-group,euscale-update-auto-scaling-group,euwatch-delete-alarms,euwatch-describe-alarm-history,euwatch-describe-alarms,euwatch-describe-alarms-for-metric,euwatch-disable-alarm-actions,euwatch-enable-alarm-actions,euwatch-get-stats,euwatch-list-metrics,euwatch-put-data,euwatch-put-metric-alarm,euwatch-set-alarm-state name: eukleides version: 1.5.4-4.1 commands: eukleides,euktoeps,euktopdf,euktopst,euktotex name: euler version: 1.61.0-11build1 commands: euler name: eureka version: 1.21-2 commands: eureka name: eurephia version: 1.1.0-6build1 commands: eurephia_init,eurephia_saltdecode,eurephiadm name: evemu-tools version: 2.6.0-0.1 commands: evemu-describe,evemu-device,evemu-event,evemu-play,evemu-record name: eventstat version: 0.04.03-1 commands: eventstat name: eviacam version: 2.1.1-1build2 commands: eviacam,eviacamloader name: evilwm version: 1.1.1-1 commands: evilwm,x-window-manager name: evolution version: 3.28.1-2 commands: evolution name: evolution-rss version: 0.3.95-8build2 commands: evolution-import-rss name: evolver-nox version: 2.70+ds-3 commands: evolver-nox-d,evolver-nox-ld name: evolver-ogl version: 2.70+ds-3 commands: evolver-ogl-d,evolver-ogl-ld name: evolvotron version: 0.7.1-2 commands: evolvotron,evolvotron_mutate,evolvotron_render name: evqueue-agent version: 2.0-1build1 commands: evqueue_agent name: evqueue-core version: 2.0-1build1 commands: evqueue,evqueue_monitor,evqueue_notification_monitor name: evqueue-utils version: 2.0-1build1 commands: evqueue_api,evqueue_wfmanager name: evtest version: 1:1.33-1build1 commands: evtest name: ewf-tools version: 20140608-6.1build1 commands: ewfacquire,ewfacquirestream,ewfdebug,ewfexport,ewfinfo,ewfmount,ewfrecover,ewfverify name: ewipe version: 1.2.0-9 commands: ewipe name: exactimage version: 1.0.1-1 commands: bardecode,e2mtiff,econvert,edentify,empty-page,hocr2pdf,optimize2bw name: excellent-bifurcation version: 0.0.20071015-8 commands: excellent-bifurcation name: exe-thumbnailer version: 0.10.0-2 commands: exe-thumbnailer name: execstack version: 0.0.20131005-1 commands: execstack name: exempi version: 2.4.5-2 commands: exempi name: exfalso version: 3.9.1-1.2 commands: exfalso,operon name: exfat-fuse version: 1.2.8-1 commands: mount.exfat,mount.exfat-fuse name: exfat-utils version: 1.2.8-1 commands: dumpexfat,exfatfsck,exfatlabel,fsck.exfat,mkexfatfs,mkfs.exfat name: exif version: 0.6.21-2 commands: exif name: exifprobe version: 2.0.1+git20170416.3c2b769-1 commands: exifgrep,exifprobe name: exiftags version: 1.01-6build1 commands: exifcom,exiftags,exiftime name: exiftran version: 2.10-2ubuntu1 commands: exiftran name: eximon4 version: 4.90.1-1ubuntu1 commands: eximon name: exiv2 version: 0.25-3.1 commands: exiv2 name: exmh version: 1:2.8.0-7 commands: exmh name: exo-utils version: 0.12.0-1 commands: exo-csource,exo-desktop-item-edit,exo-open,exo-preferred-applications name: exonerate version: 2.4.0-3 commands: esd2esi,exonerate,exonerate-server,fasta2esd,fastaannotatecdna,fastachecksum,fastaclean,fastaclip,fastacomposition,fastadiff,fastaexplode,fastafetch,fastahardmask,fastaindex,fastalength,fastanrdb,fastaoverlap,fastareformat,fastaremove,fastarevcomp,fastasoftmask,fastasort,fastasplit,fastasubseq,fastatranslate,fastavalidcds,ipcress name: expat version: 2.2.5-3 commands: xmlwf name: expect version: 5.45.4-1 commands: autoexpect,autopasswd,cryptdir,decryptdir,dislocate,expect,expect_autoexpect,expect_autopasswd,expect_cryptdir,expect_decryptdir,expect_dislocate,expect_ftp-rfc,expect_kibitz,expect_lpunlock,expect_mkpasswd,expect_multixterm,expect_passmass,expect_rftp,expect_rlogin-cwd,expect_timed-read,expect_timed-run,expect_tknewsbiff,expect_tkpasswd,expect_unbuffer,expect_weather,expect_xkibitz,expect_xpstat,ftp-rfc,kibitz,lpunlock,multixterm,passmass,rlogin-cwd,timed-read,timed-run,tknewsbiff,tkpasswd,unbuffer,xkibitz,xpstat name: expect-lite version: 4.9.0-0ubuntu1 commands: expect-lite name: expeyes version: 4.3.6+dfsg-6 commands: expeyes,expeyes-junior name: expeyes-doc-common version: 4.3-1 commands: expeyes-doc,expeyes-junior-doc,expeyes-progman-jr-doc name: explain version: 1.4.D001-7 commands: explain name: ext4magic version: 0.3.2-7ubuntu1 commands: ext4magic name: extra-xdg-menus version: 1.0-4 commands: exmendis,exmenen name: extrace version: 0.4-2 commands: extrace,pwait name: extract version: 1:1.6-2 commands: extract name: extractpdfmark version: 1.0.2-2build1 commands: extractpdfmark name: extremetuxracer version: 0.7.4-1 commands: etr name: extsmail version: 2.0-2.1 commands: extsmail,extsmaild name: extundelete version: 0.2.4-1ubuntu1 commands: extundelete name: eyed3 version: 0.8.4-2 commands: eyeD3 name: eyefiserver version: 2.4+dfsg-3 commands: eyefiserver name: eyes17 version: 4.3.6+dfsg-6 commands: eyes17,eyes17-doc name: ez-ipupdate version: 3.0.11b8-13.4.1build1 commands: ez-ipupdate name: ezquake version: 2.2+git20150324-1 commands: ezquake name: ezstream version: 0.5.6~dfsg-1.1 commands: ezstream,ezstream-file name: eztrace version: 1.1-7-3ubuntu1 commands: eztrace,eztrace.preload,eztrace_avail,eztrace_cc,eztrace_convert,eztrace_create_plugin,eztrace_indent_fortran,eztrace_loaded,eztrace_plugin_generator,eztrace_stats name: f-irc version: 1.36-1build2 commands: f-irc name: f2c version: 20160102-1 commands: f2c,fc name: f2fs-tools version: 1.10.0-1 commands: defrag.f2fs,dump.f2fs,f2fscrypt,f2fstat,fibmap.f2fs,fsck.f2fs,mkfs.f2fs,parse.f2fs,resize.f2fs,sload.f2fs name: f3 version: 7.0-1 commands: f3brew,f3fix,f3probe,f3read,f3write name: faad version: 2.8.8-1 commands: faad name: fabio-viewer version: 0.6.0+dfsg-1 commands: fabio-convert,fabio_viewer name: fabric version: 1.14.0-1 commands: fab name: facedetect version: 0.1-1 commands: facedetect name: fact++ version: 1.6.5~dfsg-1 commands: FaCT++ name: facter version: 3.10.0-4 commands: facter name: fadecut version: 0.2.1-1 commands: fadecut name: fades version: 5-2 commands: fades name: fai-client version: 5.3.6ubuntu1 commands: ainsl,device2grub,fai,fai-class,fai-debconf,fai-deps,fai-do-scripts,fai-kvm,fai-statoverride,fcopy,ftar,install_packages name: fai-nfsroot version: 5.3.6ubuntu1 commands: faireboot,policy-rc.d,policy-rc.d.fai name: fai-server version: 5.3.6ubuntu1 commands: dhcp-edit,fai-cd,fai-chboot,fai-diskimage,fai-make-nfsroot,fai-mirror,fai-mk-network,fai-monitor,fai-monitor-gui,fai-new-mac,fai-setup name: fai-setup-storage version: 5.3.6ubuntu1 commands: setup-storage name: faifa version: 0.2~svn82-1build2 commands: faifa name: fail2ban version: 0.10.2-2 commands: fail2ban-client,fail2ban-python,fail2ban-regex,fail2ban-server,fail2ban-testcases name: fair version: 0.5.3-2 commands: carrousel,transponder name: fairymax version: 5.0b-1 commands: fairymax,maxqi,shamax name: fake version: 1.1.11-3 commands: fake,send_arp name: fake-hwclock version: 0.11 commands: fake-hwclock name: fakechroot version: 2.19-3 commands: chroot.fakechroot,env.fakechroot,fakechroot,ldd.fakechroot name: faker version: 0.7.7-2 commands: faker name: faketime version: 0.9.7-2 commands: faketime name: falcon version: 1.8.8-1ubuntu1 commands: fc_run,fc_run.py name: falselogin version: 0.3-4build1 commands: falselogin name: fam version: 2.7.0-17.2 commands: famd name: fancontrol version: 1:3.4.0-4 commands: fancontrol,pwmconfig name: fapg version: 0.41-1build1 commands: fapg name: farbfeld version: 3-5 commands: 2ff,ff2jpg,ff2pam,ff2png,ff2ppm,jpg2ff,png2ff name: farpd version: 0.2-11build1 commands: farpd name: fasd version: 1.0.1-1 commands: fasd name: fast5 version: 0.6.5-1 commands: f5ls,f5pack name: fastahack version: 0.0+20160702-1 commands: fastahack name: fastaq version: 3.17.0-1 commands: fastaq name: fastd version: 18-3 commands: fastd name: fastdnaml version: 1.2.2-12 commands: fastDNAml,fastDNAml-util name: fastforward version: 1:0.51-3.2 commands: fastforward,newinclude,printforward,printmaillist,qmail-newaliases,setforward,setmaillist name: fastjar version: 2:0.98-6build1 commands: fastjar,grepjar,jar name: fastlink version: 4.1P-fix100+dfsg-1build1 commands: ilink,linkmap,lodscore,mlink,unknown name: fastml version: 3.1-3 commands: fastml,gainLoss,indelCoder name: fastqc version: 0.11.5+dfsg-6 commands: fastqc name: fastqtl version: 2.184+dfsg-5build4 commands: fastQTL name: fasttree version: 2.1.10-1 commands: fasttree,fasttreeMP name: fastx-toolkit version: 0.0.14-5 commands: fasta_clipping_histogram.pl,fasta_formatter,fasta_nucleotide_changer,fastq_masker,fastq_quality_boxplot_graph.sh,fastq_quality_converter,fastq_quality_filter,fastq_quality_trimmer,fastq_to_fasta,fastx_artifacts_filter,fastx_barcode_splitter.pl,fastx_clipper,fastx_collapser,fastx_nucleotide_distribution_graph.sh,fastx_nucleotide_distribution_line_graph.sh,fastx_quality_stats,fastx_renamer,fastx_reverse_complement,fastx_trimmer,fastx_uncollapser name: fatattr version: 1.0.1-13 commands: fatattr name: fatcat version: 1.0.5-1 commands: fatcat name: fatrace version: 0.12-1 commands: fatrace,power-usage-report name: fatresize version: 1.0.2-10 commands: fatresize name: fatsort version: 1.3.365-1build1 commands: fatsort name: faucc version: 20160511-1 commands: faucc name: fauhdlc version: 20130704-1.1build1 commands: fauhdlc,fauhdli name: faust version: 0.9.95~repack1-2 commands: faust,faust2alqt,faust2alsa,faust2alsaconsole,faust2android,faust2api,faust2asmjs,faust2au,faust2bela,faust2caqt,faust2caqtios,faust2csound,faust2dssi,faust2eps,faust2faustvst,faust2firefox,faust2graph,faust2graphviewer,faust2ios,faust2iosKeyboard,faust2jack,faust2jackconsole,faust2jackinternal,faust2jackserver,faust2jaqt,faust2juce,faust2ladspa,faust2lv2,faust2mathdoc,faust2mathviewer,faust2max6,faust2md,faust2msp,faust2netjackconsole,faust2netjackqt,faust2octave,faust2owl,faust2paqt,faust2pdf,faust2plot,faust2png,faust2puredata,faust2raqt,faust2ros,faust2rosgtk,faust2rpialsaconsole,faust2rpinetjackconsole,faust2sc,faust2sig,faust2sigviewer,faust2supercollider,faust2svg,faust2vst,faust2vsti,faust2w32max6,faust2w32msp,faust2w32puredata,faust2w32vst,faust2webaudioasm name: faustworks version: 0.5~repack0-5 commands: FaustWorks name: fbautostart version: 2.718281828-1build1 commands: fbautostart name: fbb version: 7.07-3 commands: ajoursat,fbb,fbbgetconf,satdoc,satupdat,xfbbC,xfbbd name: fbcat version: 0.3-1build1 commands: fbcat,fbgrab name: fbi version: 2.10-2ubuntu1 commands: fbgs,fbi name: fbless version: 0.2.3-1 commands: fbless name: fbpager version: 0.1.5~git20090221.1.8e0927e6-2 commands: fbpager name: fbpanel version: 7.0-4 commands: fbpanel name: fbreader version: 0.12.10dfsg2-2 commands: FBReader,fbreader name: fbterm version: 1.7-4 commands: fbterm name: fbterm-ucimf version: 0.2.9-4build1 commands: fbterm_ucimf name: fbtv version: 3.103-4build1 commands: fbtv name: fbx-playlist version: 20070531+dfsg.1-5build1 commands: fbx-playlist name: fcc version: 2.8-1build1 commands: fcc name: fccexam version: 1.0.7-1 commands: fccexam name: fceux version: 2.2.2+dfsg0-1build1 commands: fceux,fceux-net-server,nes name: fcgiwrap version: 1.1.0-10 commands: fcgiwrap name: fcheck version: 2.7.59-19 commands: fcheck name: fcitx-bin version: 1:4.2.9.6-1 commands: fcitx,fcitx-autostart,fcitx-configtool,fcitx-dbus-watcher,fcitx-diagnose,fcitx-remote,fcitx-skin-installer name: fcitx-config-gtk version: 0.4.10-1 commands: fcitx-config-gtk3 name: fcitx-config-gtk2 version: 0.4.10-1 commands: fcitx-config-gtk name: fcitx-frontend-fbterm version: 0.2.0-2build2 commands: fcitx-fbterm,fcitx-fbterm-helper name: fcitx-imlist version: 0.5.1-2 commands: fcitx-imlist name: fcitx-libs-dev version: 1:4.2.9.6-1 commands: fcitx4-config name: fcitx-tools version: 1:4.2.9.6-1 commands: createPYMB,mb2org,mb2txt,readPYBase,readPYMB,scel2org,txt2mb name: fcitx-ui-qimpanel version: 2.1.3-1 commands: fcitx-qimpanel,fcitx-qimpanel-configtool name: fcm version: 2017.10.0-1 commands: fcm,fcm-add-svn-repos,fcm-add-svn-repos-and-trac-env,fcm-add-trac-env,fcm-backup-svn-repos,fcm-backup-trac-env,fcm-commit-update,fcm-daily-update,fcm-install-svn-hook,fcm-manage-trac-env-session,fcm-manage-users,fcm-recover-svn-repos,fcm-recover-trac-env,fcm-rpmbuild,fcm-user-to-email,fcm-vacuum-trac-env-db,fcm_graphic_diff,fcm_graphic_merge,fcm_gui,fcm_internal,fcm_test_battery name: fcml version: 1.1.3-2 commands: fcml-asm,fcml-disasm name: fcode-utils version: 1.0.2-7build1 commands: detok,romheaders,toke name: fcoe-utils version: 1.0.31+git20160622.5dfd3e4-2 commands: fcnsq,fcoeadm,fcoemon,fcping,fcrls,fipvlan name: fcrackzip version: 1.0-8 commands: fcrackzip,fcrackzipinfo name: fdclock version: 0.1.0+git.20060122-0ubuntu4 commands: fdclock,fdfacepng name: fdclone version: 3.01b-1build2 commands: fd,fdsh name: fdflush version: 1.0.1.3build1 commands: fdflush name: fdm version: 1.7+cvs20140912-1build1 commands: fdm name: fdpowermon version: 1.18 commands: fdpowermon name: fdroidserver version: 1.0.2-1 commands: fdroid,makebuildserver name: fdupes version: 1:1.6.1-1 commands: fdupes name: featherpad version: 0.8-1 commands: featherpad,fpad name: feed2exec version: 0.11.0 commands: feed2exec name: feed2imap version: 1.2.5-1 commands: feed2imap,feed2imap-cleaner,feed2imap-dumpconfig,feed2imap-opmlimport name: feedgnuplot version: 1.48-1 commands: feedgnuplot name: feh version: 2.23.2-1build1 commands: feh,feh-cam,gen-cam-menu name: felix-latin version: 2.0-10 commands: felix name: felix-main version: 5.0.0-5 commands: felix-framework name: fence-agents version: 4.0.25-2ubuntu1 commands: fence_ack_manual,fence_alom,fence_amt,fence_apc,fence_apc_snmp,fence_azure_arm,fence_bladecenter,fence_brocade,fence_cisco_mds,fence_cisco_ucs,fence_compute,fence_docker,fence_drac,fence_drac5,fence_dummy,fence_eaton_snmp,fence_emerson,fence_eps,fence_hds_cb,fence_hpblade,fence_ibmblade,fence_idrac,fence_ifmib,fence_ilo,fence_ilo2,fence_ilo3,fence_ilo3_ssh,fence_ilo4,fence_ilo4_ssh,fence_ilo_moonshot,fence_ilo_mp,fence_ilo_ssh,fence_imm,fence_intelmodular,fence_ipdu,fence_ipmilan,fence_ironic,fence_kdump,fence_ldom,fence_lpar,fence_mpath,fence_netio,fence_ovh,fence_powerman,fence_pve,fence_raritan,fence_rcd_serial,fence_rhevm,fence_rsa,fence_rsb,fence_sanbox2,fence_sbd,fence_scsi,fence_tripplite_snmp,fence_vbox,fence_virsh,fence_vmware,fence_vmware_soap,fence_wti,fence_xenapi,fence_zvm,fence_zvmip name: fenrir version: 1.06+really1.5.1-3 commands: fenrir,fenrir-daemon name: ferm version: 2.4-1 commands: ferm,import-ferm name: ferret version: 0.7-2 commands: ferret name: ferret-vis version: 7.3-2 commands: Fapropos,Fdata,Fdescr,Fenv,Fgo,Fgrids,Fhelp,Findex,Finstall,Fpalette,Fpatch,Fpattern,Fprint_template,Fpurge,Fsort,ferret_c,gksm2ps,mtp name: festival version: 1:2.5.0-1 commands: festival,festival_client,text2wave name: fet version: 5.35.5-1 commands: fet,fet-cl name: fetch-crl version: 3.0.19-2 commands: clean-crl,fetch-crl name: fetchmailconf version: 6.3.26-3build1 commands: fetchmailconf name: fetchyahoo version: 2.14.7-1 commands: fetchyahoo name: fex version: 20160919-1 commands: fac name: fex-utils version: 20160919-1 commands: afex,asex,ezz,fexget,fexsend,sexget,sexsend,sexxx,xx,zz name: feynmf version: 1.08-10 commands: feynmf name: ffado-dbus-server version: 2.3.0-5.1 commands: ffado-dbus-server name: ffado-mixer-qt4 version: 2.3.0-5.1 commands: ffado-mixer name: ffado-tools version: 2.3.0-5.1 commands: ffado-bridgeco-downloader,ffado-debug,ffado-diag,ffado-fireworks-downloader,ffado-test,ffado-test-isorecv,ffado-test-isoxmit,ffado-test-streaming name: ffdiaporama version: 2.1+dfsg-1 commands: ffDiaporama name: ffe version: 0.3.7-1-1 commands: ffe name: ffindex version: 0.9.9.7-4 commands: ffindex_apply,ffindex_apply_mpi,ffindex_build,ffindex_from_fasta,ffindex_from_tsv,ffindex_get,ffindex_modify,ffindex_unpack name: fflas-ffpack version: 2.2.2-5 commands: fflas-ffpack-config name: ffmpeg version: 7:3.4.2-2 commands: ffmpeg,ffplay,ffprobe,ffserver,qt-faststart name: ffmpeg2theora version: 0.30-1build1 commands: ffmpeg2theora name: ffmpegthumbnailer version: 2.1.1-0.1build1 commands: ffmpegthumbnailer name: ffmsindex version: 2.23-2 commands: ffmsindex name: ffproxy version: 1.6-11build1 commands: ffproxy name: ffrenzy version: 1.0.2~svn20150731-1ubuntu2 commands: ffrenzy,ffrenzy-menu name: fgallery version: 1.8.2-2 commands: fgallery name: fgetty version: 0.7-2.1 commands: checkpassword.login,fgetty name: fgo version: 1.5.5-2 commands: fgo name: fgrun version: 2016.4.0-1 commands: fgrun name: fh2odg version: 0.9.6-1 commands: fh2odg name: fhist version: 1.18-2build1 commands: fcomp,fhist,fmerge name: field3d-tools version: 1.7.2-1build2 commands: f3dinfo name: fig2dev version: 1:3.2.6a-6ubuntu1 commands: fig2dev,fig2mpdf,fig2ps2tex,pic2tpic,transfig name: fig2ps version: 1.5-1 commands: fig2eps,fig2pdf,fig2ps name: fig2sxd version: 0.20-1build1 commands: fig2sxd name: figlet version: 2.2.5-3 commands: chkfont,figlet,figlet-figlet,figlist,showfigfonts name: figtoipe version: 1:7.2.7-1build1 commands: figtoipe name: figtree version: 1.4.3+dfsg-5 commands: figtree name: file-kanji version: 1.1-16build1 commands: file2 name: filelight version: 4:17.12.3-0ubuntu1 commands: filelight name: filepp version: 1.8.0-5 commands: filepp name: fileschanged version: 0.6.5-2 commands: fileschanged name: filetea version: 0.1.16-4 commands: filetea name: filetraq version: 0.2-15 commands: filetraq name: filezilla version: 3.28.0-1 commands: filezilla,fzputtygen,fzsftp name: filler version: 1.02-6.2 commands: filler name: fillets-ng version: 1.0.1-4build1 commands: fillets name: filter version: 2.6.3+ds1-3 commands: filter name: filtergen version: 0.12.8-1 commands: fgadm,filtergen name: filters version: 2.55-3build1 commands: LOLCAT,b1ff,censor,chef,cockney,eleet,fanboy,fudd,jethro,jibberish,jive,ken,kenny,kraut,ky00te,nethackify,newspeak,nyc,pirate,rasterman,scottish,scramble,spammer,studly,uniencode,upside-down name: fim version: 0.5~rc3-2build1 commands: fim,fimgs name: finch version: 1:2.12.0-1ubuntu4 commands: finch name: findbugs version: 3.1.0~preview2-3 commands: addMessages,computeBugHistory,convertXmlToText,copyBuggySource,defectDensity,fb,fbwrap,filterBugs,findbugs,findbugs-csr,findbugs-dbStats,findbugs-msv,findbugs2,listBugDatabaseInfo,mineBugHistory,printAppVersion,printClass,rejarForAnalysis,setBugDatabaseInfo,unionBugs,xpathFind name: findent version: 2.7.3-1 commands: findent,wfindent name: findimagedupes version: 2.18-6build4 commands: findimagedupes name: finger version: 0.17-15.1 commands: finger name: fingerd version: 0.17-15.1 commands: in.fingerd name: fio version: 3.1-1 commands: fio,fio-btrace2fio,fio-dedupe,fio-genzipf,fio2gnuplot,fio_generate_plots,genfio name: fiona version: 1.7.10-1build1 commands: fiona name: firebird-dev version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_config name: firebird3.0-server version: 3.0.2.32703.ds4-11ubuntu2 commands: fb_lock_print,fbguard,fbtracemgr,firebird name: firebird3.0-utils version: 3.0.2.32703.ds4-11ubuntu2 commands: fbstat,fbsvcmgr,gbak,gfix,gpre,gsec,isql-fb,nbackup name: firehol version: 3.1.5+ds-1ubuntu1 commands: firehol name: firehol-tools version: 3.1.5+ds-1ubuntu1 commands: link-balancer,update-ipsets,vnetbuild name: firejail version: 0.9.52-2 commands: firecfg,firejail,firemon name: fireqos version: 3.1.5+ds-1ubuntu1 commands: fireqos name: firetools version: 0.9.50-1 commands: firejail-ui,firetools name: firewall-applet version: 0.4.4.6-1 commands: firewall-applet name: firewall-config version: 0.4.4.6-1 commands: firewall-config name: firewalld version: 0.4.4.6-1 commands: firewall-cmd,firewall-offline-cmd,firewallctl,firewalld name: fische version: 3.2.2-4 commands: fische name: fish version: 2.7.1-3 commands: fish,fish_indent,fish_key_reader name: fishpoke version: 0.1.7-1 commands: fishpoke name: fishpolld version: 0.1.7-1 commands: fishpolld name: fitscut version: 1.4.4-4build4 commands: fitscut name: fitsh version: 0.9.2-1 commands: fiarith,ficalib,ficombine,ficonv,fiheader,fiign,fiinfo,fiphot,firandom,fistar,fitrans,grcollect,grmatch,grtrans,lfit name: fitspng version: 1.3-1 commands: fitspng name: fitsverify version: 4.18-1build2 commands: fitsverify name: fityk version: 1.3.1-3 commands: cfityk,fityk name: fiu-utils version: 0.95-4build1 commands: fiu-ctrl,fiu-ls,fiu-run name: five-or-more version: 1:3.28.0-1 commands: five-or-more name: fixincludes version: 1:8-20180414-1ubuntu2 commands: fixincludes name: fizmo-console version: 0.7.13-2 commands: fizmo-console,fizmo-console-launcher,zcode-interpreter name: fizmo-ncursesw version: 0.7.14-2 commands: fizmo-ncursesw,fizmo-ncursesw-launcher,zcode-interpreter name: fizmo-sdl2 version: 0.8.5-2 commands: fizmo-sdl2,fizmo-sdl2-launcher,zcode-interpreter name: fizsh version: 1.0.9-1 commands: fizsh name: fl-cow version: 0.6-4.2 commands: cow name: flac version: 1.3.2-1 commands: flac,metaflac name: flactag version: 2.0.4-5build2 commands: checkflac,discid,flactag,ripdataflac,ripflac name: flake version: 0.11-3 commands: flake name: flake8 version: 3.5.0-1 commands: flake8 name: flam3 version: 3.0.1-5 commands: flam3-animate,flam3-convert,flam3-genome,flam3-render name: flamerobin version: 0.9.3~+20160512.c75f8618-2 commands: flamerobin name: flameshot version: 0.5.1-2 commands: flameshot name: flamethrower version: 0.1.8-4 commands: flamethrower,flamethrowerd name: flamp version: 2.2.03-1build1 commands: flamp name: flannel version: 0.9.1~ds1-1 commands: flannel name: flare-engine version: 0.19-3 commands: flare name: flashbake version: 0.27.1-0.1 commands: flashbake,flashbakeall name: flashbench version: 62-1build1 commands: flashbench,flashbench-erase name: flashproxy-client version: 1.7-4 commands: flashproxy-client,flashproxy-reg-appspot,flashproxy-reg-email,flashproxy-reg-http,flashproxy-reg-url name: flashproxy-facilitator version: 1.7-4 commands: fp-facilitator,fp-reg-decrypt,fp-reg-decryptd,fp-registrar-email name: flashrom version: 0.9.9+r1954-1 commands: flashrom name: flasm version: 1.62-10 commands: flasm name: flatpak version: 0.11.3-3 commands: flatpak name: flatpak-builder version: 0.10.9-1 commands: flatpak-builder name: flatzinc version: 5.1.0-2build1 commands: flatzinc,fzn-gecode name: flawfinder version: 1.31-1 commands: flawfinder name: fldiff version: 1.1+0-5 commands: fldiff name: fldigi version: 4.0.1-1 commands: flarq,fldigi name: flent version: 1.2.2-1 commands: flent,flent-gui name: flex-old version: 2.5.4a-10ubuntu2 commands: flex,flex++,lex name: flexbackup version: 1.2.1-6.3 commands: flexbackup name: flexbar version: 1:3.0.3-2 commands: flexbar name: flexc++ version: 2.06.02-2 commands: flexc++ name: flexloader version: 0.03-3build1 commands: flexloader name: flexml version: 1.9.6-5 commands: flexml name: flexpart version: 9.02-17 commands: flexpart,flexpart.ecmwf,flexpart.gfs name: flextra version: 5.0-8 commands: flextra,flextra.ecmwf,flextra.gfs name: flickcurl-utils version: 1.26-4 commands: flickcurl,flickrdf name: flickrbackup version: 0.2-3.1 commands: flickrbackup name: flight-of-the-amazon-queen version: 1.0.0-8 commands: queen name: flightcrew version: 0.7.2+dfsg-10 commands: flightcrew-cli,flightcrew-gui name: flightgear version: 1:2018.1.1+dfsg-1 commands: GPSsmooth,JSBSim,MIDGsmooth,UGsmooth,fgcom,fgelev,fgfs,fgjs,fgtraffic,fgviewer,js_demo,metar,yasim,yasim-proptest name: flintqs version: 1:1.0-1 commands: QuadraticSieve name: flip version: 1.20-3 commands: flip,toix,toms name: flite version: 2.1-release-1 commands: flite,flite_time,t2p name: flmsg version: 2.0.16.01-1 commands: flmsg name: floatbg version: 1.0-28build1 commands: floatbg name: flobopuyo version: 0.20-5build1 commands: flobopuyo name: flog version: 1.8+orig-1 commands: flog name: floppyd version: 4.0.18-2ubuntu1 commands: floppyd,floppyd_installtest name: florence version: 0.6.3-1build1 commands: florence name: flow-tools version: 1:0.68-12.5build3 commands: flow-capture,flow-cat,flow-dscan,flow-expire,flow-export,flow-fanout,flow-filter,flow-gen,flow-header,flow-import,flow-log2rrd,flow-mask,flow-merge,flow-nfilter,flow-print,flow-receive,flow-report,flow-rpt2rrd,flow-rptfmt,flow-send,flow-split,flow-stat,flow-tag,flow-xlate name: flowblade version: 1.12-1 commands: flowblade name: flowgrind version: 0.8.0-1build1 commands: flowgrind,flowgrind-stop,flowgrindd name: flowscan version: 1.006-13.2 commands: add_ds.pl,add_txrx,event2vrule,flowscan,ip2hostname,locker name: flpsed version: 0.7.3-3 commands: flpsed name: flrig version: 1.3.26-1 commands: flrig name: fltk1.1-games version: 1.1.10-23 commands: flblocks,flcheckers,flsudoku name: fltk1.3-games version: 1.3.4-6 commands: flblocks,flcheckers,flsudoku name: fluid version: 1.3.4-6 commands: fluid name: fluidsynth version: 1.1.9-1 commands: fluidsynth name: fluxbox version: 1.3.5-2build1 commands: fbrun,fbsetbg,fbsetroot,fluxbox,fluxbox-remote,fluxbox-update_configs,startfluxbox,x-window-manager name: flvmeta version: 1.2.1-1 commands: flvmeta name: flvstreamer version: 2.1c1-1build1 commands: flvstreamer,streams name: flwm version: 1.02+git2015.10.03+7dbb30-6 commands: flwm,x-window-manager name: flwrap version: 1.3.4-2.1build1 commands: flwrap name: flydraw version: 1:4.15b~dfsg1-2ubuntu1 commands: flydraw name: fmit version: 1.0.0-1build1 commands: fmit name: fmtools version: 2.0.7build1 commands: fm,fmscan name: fnotifystat version: 0.02.00-1 commands: fnotifystat name: fntsample version: 5.2-1 commands: fntsample,pdfoutline name: focuswriter version: 1.6.12-1 commands: focuswriter name: folks-tools version: 0.11.4-1ubuntu1 commands: folks-import,folks-inspect name: foma-bin version: 0.9.18+r243-1build1 commands: cgflookup,flookup,foma name: fondu version: 0.0.20060102-4.1 commands: dfont2res,fondu,frombin,lumper,setfondname,showfond,tobin,ufond name: font-manager version: 0.7.3-1.1 commands: font-manager name: fontforge version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontforge-extras version: 0.3-4ubuntu1 commands: showttf name: fontforge-nox version: 1:20170731~dfsg-1 commands: fontforge,fontimage,fontlint,sfddiff name: fontmake version: 1.4.0-2 commands: fontmake name: fontmanager.app version: 0.1-1build2 commands: FontManager name: fonttools version: 3.21.2-1 commands: fonttools,pyftinspect,pyftmerge,pyftsubset,ttx name: fonty-rg version: 0.7-1 commands: iso,utf8 name: fontypython version: 0.5-1 commands: fontypython name: foo-yc20 version: 1.3.0-6build2 commands: foo-yc20,foo-yc20-cli name: foobillardplus version: 3.43~svn170+dfsg-4 commands: foobillardplus name: foodcritic version: 8.1.0-1 commands: foodcritic name: fookb version: 4.0-1 commands: fookb name: foomatic-db-engine version: 4.0.13-1 commands: foomatic-addpjloptions,foomatic-cleanupdrivers,foomatic-combo-xml,foomatic-compiledb,foomatic-configure,foomatic-datafile,foomatic-extract-text,foomatic-fix-xml,foomatic-getpjloptions,foomatic-kitload,foomatic-nonumericalids,foomatic-perl-data,foomatic-ppd-options,foomatic-ppd-to-xml,foomatic-ppdfile,foomatic-preferred-driver,foomatic-printermap-to-gutenprint-xml,foomatic-printjob,foomatic-replaceoldprinterids,foomatic-searchprinter name: foomatic-filters version: 4.0.17-10 commands: directomatic,foomatic-rip,lpdomatic name: fop version: 1:2.1-7 commands: fop,fop-ttfreader name: foremancli version: 1.0-2build1 commands: foremancli name: foremost version: 1.5.7-6 commands: foremost name: forensics-colorize version: 1.1-2 commands: colorize,filecompare name: forg version: 0.5.1-7.2 commands: forg name: forked-daapd version: 25.0-2build4 commands: forked-daapd name: forkstat version: 0.02.02-1 commands: forkstat name: form version: 4.2.0+git20170914-1 commands: form,parform,tform name: formiko version: 1.3.0-1 commands: formiko,formiko-vim name: fort77 version: 1.15-11 commands: f77,fort77 name: fortunate.app version: 3.1-1build2 commands: Fortunate name: fortune-mod version: 1:1.99.1-7build1 commands: fortune,strfile,unstr name: fortunes-de version: 0.34-1 commands: beilagen,brot,dessert,hauptgericht,kalt,kuchen,plaetzchen,regeln,salat,sauce,spruch,suppe,vorspeise name: fortunes-ubuntu-server version: 0.5 commands: ubuntu-server-tip name: fortunes-zh version: 2.7 commands: fortune-zh name: fosfat version: 0.4.0-13-ged091bb-3 commands: fosmount,fosread,fosrec,smascii name: fossil version: 1:2.5-1 commands: fossil name: fotoxx version: 18.01.1-2 commands: fotoxx name: four-in-a-row version: 1:3.28.0-1 commands: four-in-a-row name: foxeye version: 0.12.0-1build1 commands: foxeye,foxeye-0.12.0 name: foxtrotgps version: 1.2.1-1 commands: convert2gpx,convert2osm,foxtrotgps,georss2foxtrotgps-poi,gpx2osm,osb2foxtrot,poi2osm name: fp-utils version: 3.0.4+dfsg-18 commands: fp-fix-timestamps name: fpart version: 0.9.2-1build1 commands: fpart,fpsync name: fpdns version: 20130404-1 commands: fpdns name: fped version: 0.1+201210-1.1build1 commands: fped name: fpga-icestorm version: 0~20160913git266e758-3 commands: icebox_chipdb,icebox_colbuf,icebox_diff,icebox_explain,icebox_html,icebox_maps,icebox_vlog,icebram,icemulti,icepack,icepll,iceprog,icetime,iceunpack name: fpgatools version: 0.0+201212-1build1 commands: bit2fp,fp2bit name: fping version: 4.0-6 commands: fping,fping6 name: fplll-tools version: 5.2.0-3build1 commands: fplll,latsieve,latticegen name: fprint-demo version: 20080303git-6 commands: fprint_demo name: fprintd version: 0.8.0-2 commands: fprintd-delete,fprintd-enroll,fprintd-list,fprintd-verify name: fprobe version: 1.1-8 commands: fprobe name: fqterm version: 0.9.8.4-1build1 commands: fqterm,fqterm.bin name: fracplanet version: 0.5.1-2 commands: fracplanet name: fractalnow version: 0.8.2-1build1 commands: fractalnow,qfractalnow name: fractgen version: 2.1.1-1 commands: fractgen name: fragmaster version: 1.7-5 commands: fragmaster name: frama-c version: 20170501+phosphorus+dfsg-2build1 commands: frama-c-gui name: frama-c-base version: 20170501+phosphorus+dfsg-2build1 commands: frama-c,frama-c-config,frama-c.byte name: frame-tools version: 2.5.0daily13.06.05+16.10.20160809-0ubuntu1 commands: frame-test-x11 name: francine version: 0.99.8+orig-2 commands: francine name: fraqtive version: 0.4.8-5 commands: fraqtive name: free42-nologo version: 1.4.77-1.2 commands: free42bin name: freealchemist version: 0.5-1 commands: freealchemist name: freebirth version: 0.3.2-9.2 commands: freebirth,freebirth-alsa name: freebsd-buildutils version: 10.3~svn296373-7 commands: aicasm,brandelf,file2c,fmake,fmtree,freebsd-cksum,freebsd-config,freebsd-lex,freebsd-mkdep name: freecad version: 0.16.6712+dfsg1-1ubuntu2 commands: freecad,freecadcmd name: freecdb version: 0.75build4 commands: cdbdump,cdbget,cdbmake,cdbstats name: freecell-solver-bin version: 4.16.0-1 commands: fc-solve,freecell-solver-range-parallel-solve,make-microsoft-freecell-board,make-pysol-freecell-board name: freeciv version: 2.5.10-1 commands: freeciv name: freeciv-client-extras version: 2.5.10-1 commands: freeciv-mp-gtk3 name: freeciv-client-gtk version: 2.5.10-1 commands: freeciv-gtk2 name: freeciv-client-gtk3 version: 2.5.10-1 commands: freeciv-gtk3 name: freeciv-client-qt version: 2.5.10-1 commands: freeciv-qt name: freeciv-client-sdl version: 2.5.10-1 commands: freeciv-sdl name: freeciv-server version: 2.5.10-1 commands: freeciv-server name: freecol version: 0.11.6+dfsg-2 commands: freecol name: freecontact version: 1.0.21-6build2 commands: freecontact name: freediams version: 0.9.4-2 commands: freediams name: freedink-dfarc version: 3.12-1build2 commands: dfarc,freedink-dfarc name: freedink-engine version: 108.4+dfsg-3 commands: dink,dinkedit,freedink,freedinkedit name: freedm version: 0.11.3-1 commands: freedm name: freedom-maker version: 0.12 commands: freedom-maker,passwd-in-image,vagrant-package name: freedoom version: 0.11.3-1 commands: freedoom1,freedoom2 name: freedroid version: 1.0.2+cvs040112-5build1 commands: freedroid name: freedroidrpg version: 0.16.1-3 commands: freedroidRPG name: freedv version: 1.2.2-3 commands: freedv name: freefem version: 3.5.8-6ubuntu1 commands: freefem name: freefem++ version: 3.47+dfsg1-2build1 commands: FreeFem++,FreeFem++-mpi,FreeFem++-nw,cvmsh2,ff-c++,ff-get-dep,ff-mpirun,ff-pkg-download,ffbamg,ffglut,ffmedit name: freefem3d version: 1.0pre10-4 commands: ff3d name: freegish version: 1.53+git20140221+dfsg-1build1 commands: freegish name: freehdl version: 0.0.8-2.2ubuntu2 commands: freehdl-config,freehdl-gennodes,freehdl-v2cc,gvhdl name: freeipa-client version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa,ipa-certupdate,ipa-client-automount,ipa-client-install,ipa-getkeytab,ipa-join,ipa-rmkeytab name: freeipa-server version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-advise,ipa-backup,ipa-ca-install,ipa-cacert-manage,ipa-compat-manage,ipa-csreplica-manage,ipa-kra-install,ipa-ldap-updater,ipa-managed-entries,ipa-nis-manage,ipa-otptoken-import,ipa-pkinit-manage,ipa-replica-conncheck,ipa-replica-install,ipa-replica-manage,ipa-replica-prepare,ipa-restore,ipa-server-certinstall,ipa-server-install,ipa-server-upgrade,ipa-winsync-migrate,ipactl name: freeipa-server-dns version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-dns-install name: freeipa-server-trust-ad version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-adtrust-install name: freeipa-tests version: 4.7.0~pre1+git20180411-2ubuntu2 commands: ipa-run-tests,ipa-test-config,ipa-test-task name: freeipmi-bmc-watchdog version: 1.4.11-1.1ubuntu4 commands: bmc-watchdog name: freeipmi-ipmidetect version: 1.4.11-1.1ubuntu4 commands: ipmi-detect,ipmidetect,ipmidetectd name: freeipmi-ipmiseld version: 1.4.11-1.1ubuntu4 commands: ipmiseld name: freelan version: 2.0-5ubuntu6 commands: freelan name: freemat version: 4.2+dfsg1-6 commands: freemat name: freemedforms-emr version: 0.9.4-2 commands: freemedforms name: freeorion version: 0.4.7.1-1 commands: freeorion name: freeplane version: 1.6.13-1 commands: freeplane name: freeplayer version: 20070531+dfsg.1-5build1 commands: fbx-playlist-cmd,freeplayer,vlc-fbx name: freepwing version: 1.5-2 commands: fpwmake name: freerdp-x11 version: 1.1.0~git20140921.1.440916e+dfsg1-15ubuntu1 commands: xfreerdp name: freerdp2-shadow-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: freerdp-shadow-cli name: freerdp2-wayland version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: wlfreerdp name: freerdp2-x11 version: 2.0.0~git20170725.1.1648deb+dfsg1-7 commands: xfreerdp name: freesweep version: 0.90-3 commands: freesweep name: freetable version: 2.3-4.2 commands: freetable name: freetds-bin version: 1.00.82-2 commands: bsqldb,bsqlodbc,datacopy,defncopy,fisql,freebcp,osql,tdspool,tsql name: freetennis version: 0.4.8-10build2 commands: freetennis name: freetuxtv version: 0.6.8~dfsg1-1build1 commands: freetuxtv name: freetype2-demos version: 2.8.1-2ubuntu2 commands: ftbench,ftdiff,ftdump,ftgamma,ftgrid,ftlint,ftmulti,ftstring,ftvalid,ftview,ttdebug name: freevial version: 1.3-2.1ubuntu1 commands: freevial name: freewheeling version: 0.6-2.1 commands: freewheeling,fweelin name: freewnn-cserver version: 1.1.1~a021+cvs20130302-7 commands: catod,catof,cdtoa,cserver,cuum,cwddel,cwdreg,cwnnkill,cwnnstat,cwnntouch name: freewnn-jserver version: 1.1.1~a021+cvs20130302-7 commands: jserver,oldatonewa,uum,wddel,wdreg,wnnkill,wnnstat,wnntouch name: freewnn-kserver version: 1.1.1~a021+cvs20130302-7 commands: katod,katof,kdtoa,kserver,kuum,kwddel,kwdreg,kwnnkill,kwnnstat,kwnntouch name: frescobaldi version: 3.0.0+ds1-1 commands: frescobaldi name: fretsonfire-game version: 1.3.110.dfsg2-5 commands: fretsonfire name: fritzing version: 0.9.3b+dfsg-4.1ubuntu1 commands: Fritzing,fritzing name: frobby version: 0.9.0-5 commands: frobby name: frog version: 0.13.7-1build2 commands: frog,mblem,mbma,ner name: frogr version: 1.4-1 commands: frogr name: frotz version: 2.44-0.1build1 commands: frotz,frotz-launcher,zcode-interpreter name: frown version: 0.6.2.3-4 commands: frown name: frozen-bubble version: 2.212-8build2 commands: frozen-bubble,frozen-bubble-editor name: fruit version: 2.1.dfsg-7 commands: fruit name: fs-uae version: 2.8.4+dfsg-1 commands: fs-uae,fs-uae-device-helper name: fs-uae-arcade version: 2.8.4+dfsg-1 commands: fs-uae-arcade name: fs-uae-launcher version: 2.8.4+dfsg-1 commands: fs-uae-launcher name: fs-uae-netplay-server version: 2.8.4+dfsg-1 commands: fs-uae-netplay-server name: fsa version: 1.15.9+dfsg-3 commands: fsa,fsa-translate,gapcleaner,isect_mercator_alignment_gff,map_coords,map_gff_coords,percentid,prot2codon,slice_fasta,slice_fasta_gff,slice_mercator_alignment name: fsarchiver version: 0.8.4-1 commands: fsarchiver name: fscrypt version: 0.2.2-0ubuntu2 commands: fscrypt name: fsgateway version: 0.1.1-5 commands: fsgateway name: fsharp version: 4.0.0.4+dfsg2-2 commands: fsharpc,fsharpi,fslex,fssrgen,fsyacc name: fslint version: 2.44-4ubuntu1 commands: fslint-gui name: fsm-lite version: 1.0-2 commands: fsm-lite name: fsmark version: 3.3-2build1 commands: fs_mark name: fsniper version: 1.3.1-0ubuntu4 commands: fsniper name: fso-audiod version: 0.12.0-3build1 commands: fsoaudiod name: fspanel version: 0.7-14 commands: fspanel name: fsprotect version: 1.0.7 commands: is_aufs name: fspy version: 0.1.1-2 commands: fspy name: fssync version: 1.6-1 commands: fssync name: fstl version: 0.9.2-1 commands: fstl name: fstransform version: 0.9.3-2 commands: fsmove,fsremap,fstransform name: fstrcmp version: 0.7.D001-1.1build1 commands: fstrcmp name: fstrm-bin version: 0.3.0-1build1 commands: fstrm_capture,fstrm_dump name: fsvs version: 1.2.7-1build1 commands: fsvs name: fswatch version: 1.11.2+repack-10 commands: fswatch name: fswebcam version: 20140113-2 commands: fswebcam name: ftdi-eeprom version: 1.4-1build1 commands: ftdi_eeprom name: fte version: 0.50.2b6-20110708-2 commands: cfte,editor,fte name: fte-console version: 0.50.2b6-20110708-2 commands: vfte name: fte-terminal version: 0.50.2b6-20110708-2 commands: sfte name: fte-xwindow version: 0.50.2b6-20110708-2 commands: xfte name: fteproxy version: 0.2.19-1 commands: fteproxy name: fteqcc version: 3343+svn3400-3build1 commands: fteqcc name: ftjam version: 2.5.2-1.1build1 commands: ftjam,jam name: ftnchek version: 3.3.1-5build1 commands: dcl2inc,ftnchek name: ftools-fv version: 5.4+dfsg-4 commands: fv name: ftools-pow version: 5.4+dfsg-4 commands: POWplot name: ftp-cloudfs version: 0.35-0ubuntu1 commands: ftpcloudfs name: ftp-proxy version: 1.9.2.4-10build1 commands: ftp-proxy name: ftp-ssl version: 0.17.34+0.2-4 commands: ftp,ftp-ssl,pftp name: ftp-upload version: 1.5+nmu2 commands: ftp-upload name: ftp.app version: 0.6-1build2 commands: FTP name: ftpcopy version: 0.6.7-3.1 commands: ftpcopy,ftpcp,ftpls name: ftpd version: 0.17-36 commands: in.ftpd name: ftpd-ssl version: 0.17.36+0.3-2 commands: in.ftpd name: ftpgrab version: 0.1.5-5 commands: ftpgrab name: ftpmirror version: 1.96+dfsg-15build2 commands: ftpmirror name: ftpsync version: 20171018 commands: ftpsync,ftpsync-cron,rsync-ssl-tunnel,runmirrors name: ftpwatch version: 1.23+nmu1 commands: ftpwatch name: fts version: 1.1-2 commands: fts name: fuji version: 1.0.2-1 commands: fuji name: fullquottel version: 0.1.3-1build1 commands: fullquottel name: funcoeszz version: 15.5-1build1 commands: funcoeszz name: funguloids version: 1.06-13build1 commands: funguloids name: funkload version: 1.17.1-2 commands: fl-build-report,fl-credential-ctl,fl-monitor-ctl,fl-record,fl-run-bench,fl-run-test name: funnelweb version: 3.2-5build1 commands: fw name: funnyboat version: 1.5-10 commands: funnyboat name: funtools version: 1.4.7-2 commands: funcalc,funcen,funcnts,funcone,fundisp,funhead,funhist,funimage,funindex,funjoin,funmerge,funsky,funtable,funtbl name: furiusisomount version: 0.11.3.1~repack1-1 commands: furiusisomount name: fuse-convmvfs version: 0.2.6-2build1 commands: convmvfs name: fuse-emulator-gtk version: 1.5.1+dfsg1-1 commands: fuse,fuse-gtk name: fuse-emulator-sdl version: 1.5.1+dfsg1-1 commands: fuse,fuse-sdl name: fuse-emulator-utils version: 1.4.0-1 commands: audio2tape,createhdf,fmfconv,listbasic,profile2map,raw2hdf,rzxcheck,rzxdump,rzxtool,scl2trd,snap2tzx,snapconv,snapdump,tape2pulses,tape2wav,tapeconv,tzxlist name: fuse-posixovl version: 1.2.20120215+gitf5bfe35-1 commands: mount.posixovl name: fuse-zip version: 0.4.4-1 commands: fuse-zip name: fuse2fs version: 1.44.1-1 commands: fuse2fs name: fusecram version: 20051104-0ubuntu4 commands: fusecram name: fusedav version: 0.2-3.1build1 commands: fusedav name: fuseiso version: 20070708-3.2build1 commands: fuseiso name: fusesmb version: 0.8.7-1.4 commands: fusesmb,fusesmb.cache name: fusiondirectory version: 1.0.19-1 commands: fusiondirectory-setup name: fusiondirectory-schema version: 1.0.19-1 commands: fusiondirectory-insert-schema name: fusiondirectory-webservice-shell version: 1.0.19-1 commands: fusiondirectory-shell name: fusionforge-common version: 6.0.5-2ubuntu1 commands: forge_get_config,forge_make_admin,forge_run_job,forge_run_plugin_job,forge_set_password name: fusioninventory-agent version: 1:2.3.16-1 commands: fusioninventory-agent,fusioninventory-injector,fusioninventory-inventory,fusioninventory-wakeonlan name: fusioninventory-agent-task-esx version: 1:2.3.16-1 commands: fusioninventory-esx name: fusioninventory-agent-task-network version: 1:2.3.16-1 commands: fusioninventory-netdiscovery,fusioninventory-netinventory name: fuzz version: 0.6-15 commands: fuzz name: fuzzylite version: 5.1+dfsg-5 commands: fuzzylite name: fvwm version: 1:2.6.7-3 commands: FvwmCommand,fvwm,fvwm-bug,fvwm-config,fvwm-convert-2.6,fvwm-menu-desktop,fvwm-menu-directory,fvwm-menu-headlines,fvwm-menu-xlock,fvwm-perllib,fvwm-root,fvwm2,x-window-manager,xpmroot name: fvwm-crystal version: 3.4.1+dfsg-1 commands: fvwm-crystal,fvwm-crystal.apps,fvwm-crystal.generate-menu,fvwm-crystal.infoline,fvwm-crystal.mplayer-wrapper,fvwm-crystal.play-movies,fvwm-crystal.videomodeswitch+,fvwm-crystal.videomodeswitch-,fvwm-crystal.wallpaper,x-window-manager name: fvwm1 version: 1.24r-56ubuntu2 commands: fvwm,fvwm1,x-window-manager name: fwanalog version: 0.6.9-8 commands: fwanalog name: fwbuilder version: 5.3.7-1 commands: fwb_compile_all,fwb_iosacl,fwb_ipf,fwb_ipfw,fwb_ipt,fwb_pf,fwb_pix,fwb_procurve_acl,fwbedit,fwbuilder name: fweb version: 1.62-13 commands: ftangle,fweave,idxmerge name: fwknop-client version: 2.6.9-2 commands: fwknop name: fwknop-gui version: 1.3+dfsg-1build1 commands: fwknop-gui name: fwknop-server version: 2.6.9-2 commands: fwknopd name: fwlogwatch version: 1.4-1 commands: fwlogwatch,fwlw_notify,fwlw_respond name: fwsnort version: 1.6.7-3 commands: fwsnort name: fwts version: 18.03.00-0ubuntu1 commands: fwts,fwts-collect name: fwts-frontend version: 18.03.00-0ubuntu1 commands: fwts-frontend-text name: fxload version: 0.0.20081013-1ubuntu2 commands: fxload name: fxt-tools version: 0.3.7-1 commands: fxt_print name: fyre version: 1.0.1-5 commands: fyre name: fzy version: 0.9-1 commands: fzy name: g++-4.8 version: 4.8.5-4ubuntu8 commands: g++-4.8,s390x-linux-gnu-g++-4.8 name: g++-5 version: 5.5.0-12ubuntu1 commands: g++-5,s390x-linux-gnu-g++-5 name: g++-6 version: 6.4.0-17ubuntu1 commands: g++-6,s390x-linux-gnu-g++-6 name: g++-8 version: 8-20180414-1ubuntu2 commands: g++-8,s390x-linux-gnu-g++-8 name: g++-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-c++,i686-w64-mingw32-c++-posix,i686-w64-mingw32-c++-win32,i686-w64-mingw32-g++,i686-w64-mingw32-g++-posix,i686-w64-mingw32-g++-win32 name: g++-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-c++,x86_64-w64-mingw32-c++-posix,x86_64-w64-mingw32-c++-win32,x86_64-w64-mingw32-g++,x86_64-w64-mingw32-g++-posix,x86_64-w64-mingw32-g++-win32 name: g15composer version: 3.2-2build1 commands: g15composer name: g15daemon version: 1.9.5.3-8.3ubuntu3 commands: g15daemon name: g15macro version: 1.0.3-3build1 commands: g15macro name: g15mpd version: 1.2svn.0.svn319-3.2build1 commands: g15mpd name: g15stats version: 1.9.2-2build4 commands: g15stats name: g2p-sk version: 0.4.2-3 commands: g2p-sk name: g3data version: 1:1.5.3-2.1build1 commands: g3data name: g3dviewer version: 0.2.99.5~svn130-5 commands: g3dviewer name: gabedit version: 2.4.8-3build1 commands: gabedit name: gadfly version: 1.0.0-16 commands: gfplus,gfserver name: gadmin-bind version: 0.2.5-2build1 commands: gadmin-bind name: gadmin-openvpn-client version: 0.1.9-1 commands: gadmin-openvpn-client name: gadmin-openvpn-server version: 0.1.5-3.1build1 commands: gadmin-openvpn-server name: gadmin-proftpd version: 1:0.4.2-1build1 commands: gadmin-proftpd,gprostats name: gadmin-rsync version: 0.1.7-1build1 commands: gadmin-rsync name: gadmin-samba version: 0.3.2-0ubuntu2 commands: gadmin-samba name: gaduhistory version: 0.5-4 commands: gaduhistory name: gaffitter version: 0.6.0-2build1 commands: gaffitter name: gaiksaurus version: 1.2.1+dev-0.12-6.3 commands: gaiksaurus name: gajim version: 1.0.1-3 commands: gajim,gajim-history-manager,gajim-remote name: galax version: 1.1-15build5 commands: galax-parse,galax-run name: galax-extra version: 1.1-15build5 commands: galax-mapschema,galax-mapwsdl,galax-project,xmlplan2plan,xquery2plan,xquery2soap,xquery2xmlplan,xqueryx2xquery name: galaxd version: 1.1-15build5 commands: galax-webgui,galax-zerod,galaxd name: galculator version: 2.1.4-1build1 commands: galculator name: galera-arbitrator-3 version: 25.3.20-1 commands: garbd name: galileo version: 0.5.1-5 commands: galileo name: galleta version: 1.0+20040505-8 commands: galleta name: galternatives version: 0.92.4 commands: galternatives name: gamazons version: 0.83-8 commands: gamazons name: gambc version: 4.8.8-3 commands: gambcomp-C,gambdoc,gsc,gsc-script,gsi,gsi-script,scheme-ieee-1178-1990,scheme-r4rs,scheme-r5rs,scheme-srfi-0,six,six-script name: gameclock version: 5.1 commands: gameclock name: gameconqueror version: 0.17-2 commands: gameconqueror name: gamera-gui version: 1:3.4.2+git20160808.1725654-2 commands: gamera_gui name: gamgi version: 0.17.3-1 commands: gamgi name: gamine version: 1.5-2 commands: gamine name: gaminggear-utils version: 0.15.1-7 commands: gaminggearfxcontrol,gaminggearfxinfo name: gammaray version: 2.7.0-1ubuntu8 commands: gammaray name: gammu version: 1.39.0-1 commands: gammu,gammu-config,gammu-detect,jadmaker name: gammu-smsd version: 1.39.0-1 commands: gammu-smsd,gammu-smsd-inject,gammu-smsd-monitor name: gandi-cli version: 1.2-1 commands: gandi name: ganeti version: 2.16.0~rc2-1build1 commands: ganeti-cleaner,ganeti-confd,ganeti-kvmd,ganeti-listrunner,ganeti-luxid,ganeti-masterd,ganeti-metad,ganeti-mond,ganeti-noded,ganeti-rapi,ganeti-watcher,ganeti-wconfd,gnt-backup,gnt-cluster,gnt-debug,gnt-filter,gnt-group,gnt-instance,gnt-job,gnt-network,gnt-node,gnt-os,gnt-storage,harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganeti-htools version: 2.16.0~rc2-1build1 commands: harep,hbal,hcheck,hinfo,hroller,hscan,hspace,hsqueeze name: ganglia-monitor version: 3.6.0-7ubuntu2 commands: gmetric,gmond,gstat name: ganglia-nagios-bridge version: 1.2.1-1 commands: ganglia-nagios-bridge name: gant version: 1.9.11-7 commands: gant name: ganyremote version: 7.0-3 commands: ganyremote name: gap-core version: 4r8p8-3 commands: gap,gap2deb,update-gap-workspace name: gap-dev version: 4r8p8-3 commands: gac name: gap-scscp version: 2.1.4+ds-3 commands: gapd name: garden-of-coloured-lights version: 1.0.9-1build1 commands: garden name: gargoyle-free version: 2011.1b-1 commands: gargoyle-free,zcode-interpreter name: garli version: 2.1-2 commands: garli name: garlic version: 1.6-2 commands: garlic name: garmin-forerunner-tools version: 0.10repacked-10 commands: garmin_dump,garmin_gchart,garmin_get_info,garmin_gmap,garmin_gpx,garmin_save_runs name: gastables version: 0.3-2.2 commands: gastables name: gastman version: 0.99+1.0rc1-0ubuntu9 commands: gastman name: gatling version: 0.13-6build2 commands: gatling,gatling-bench,gatling-dl,ptlsgatling,tlsgatling,writelog name: gauche version: 0.9.5-1build1 commands: gauche-cesconv,gosh name: gauche-c-wrapper version: 0.6.1-8 commands: cwcompile name: gauche-dev version: 0.9.5-1build1 commands: gauche-config,gauche-install,gauche-package name: gaupol version: 1.3.1-1 commands: gaupol name: gausssum version: 3.0.1.1-1 commands: gausssum name: gav version: 0.9.0-3build1 commands: gav name: gbase version: 0.5-2.2build1 commands: gbase name: gbatnav version: 1.0.4cvs20051004-5build1 commands: gbnclient,gbnrobot,gbnserver name: gbdfed version: 1.6-4 commands: gbdfed name: gbemol version: 0.3.2-2ubuntu2 commands: gbemol name: gbgoffice version: 1.4-10 commands: gbgoffice name: gbirthday version: 0.6.10-0.1 commands: gbirthday name: gbonds version: 2.0.3-11 commands: gbonds name: gbrainy version: 1:2.3.4-1 commands: gbrainy name: gbrowse version: 2.56+dfsg-3build1 commands: bed2gff3,gbrowse_aws_balancer,gbrowse_change_passwd,gbrowse_clean,gbrowse_configure_slaves,gbrowse_create_account,gbrowse_grow_cloud_vol,gbrowse_import_ucsc_db,gbrowse_metadb_config,gbrowse_set_admin_passwd,gbrowse_slave,gbrowse_syn_load_alignment_database,gbrowse_syn_load_alignments_msa,gbrowse_sync_aws_slave,gtf2gff3,load_genbank,make_das_conf,scan_gbrowse,ucsc_genes2gff,wiggle2gff3 name: gbsplay version: 0.0.93-2 commands: gbsinfo,gbsplay name: gbutils version: 5.7.0-1 commands: gbacorr,gbbin,gbboot,gbconvtable,gbdist,gbdummyfy,gbenv,gbfilternear,gbfun,gbgcorr,gbget,gbglreg,gbgrid,gbhill,gbhisto,gbhisto2d,gbinterp,gbker,gbker2d,gbkreg,gbkreg2d,gblreg,gbmave,gbmodes,gbmstat,gbnear,gbnlmult,gbnlpanel,gbnlpolyit,gbnlprobit,gbnlqreg,gbnlreg,gbplot,gbquant,gbrand,gbstat,gbtest,gbxcorr name: gcab version: 1.1-2 commands: gcab name: gcal version: 3.6.3-3build2 commands: gcal,gcal2txt,tcal,txt2gcal name: gcalcli version: 4.0.0~a3-1 commands: gcalcli name: gcap version: 0.1.1-1 commands: gcap name: gcc-4.8 version: 4.8.5-4ubuntu8 commands: gcc-4.8,gcc-ar-4.8,gcc-nm-4.8,gcc-ranlib-4.8,gcov-4.8,s390x-linux-gnu-gcc-4.8,s390x-linux-gnu-gcc-ar-4.8,s390x-linux-gnu-gcc-nm-4.8,s390x-linux-gnu-gcc-ranlib-4.8,s390x-linux-gnu-gcov-4.8 name: gcc-5 version: 5.5.0-12ubuntu1 commands: gcc-5,gcc-ar-5,gcc-nm-5,gcc-ranlib-5,gcov-5,gcov-dump-5,gcov-tool-5,s390x-linux-gnu-gcc-5,s390x-linux-gnu-gcc-ar-5,s390x-linux-gnu-gcc-nm-5,s390x-linux-gnu-gcc-ranlib-5,s390x-linux-gnu-gcov-5,s390x-linux-gnu-gcov-dump-5,s390x-linux-gnu-gcov-tool-5 name: gcc-6 version: 6.4.0-17ubuntu1 commands: gcc-6,gcc-ar-6,gcc-nm-6,gcc-ranlib-6,gcov-6,gcov-dump-6,gcov-tool-6,s390x-linux-gnu-gcc-6,s390x-linux-gnu-gcc-ar-6,s390x-linux-gnu-gcc-nm-6,s390x-linux-gnu-gcc-ranlib-6,s390x-linux-gnu-gcov-6,s390x-linux-gnu-gcov-dump-6,s390x-linux-gnu-gcov-tool-6 name: gcc-8 version: 8-20180414-1ubuntu2 commands: gcc-8,gcc-ar-8,gcc-nm-8,gcc-ranlib-8,gcov-8,gcov-dump-8,gcov-tool-8,s390x-linux-gnu-gcc-8,s390x-linux-gnu-gcc-ar-8,s390x-linux-gnu-gcc-nm-8,s390x-linux-gnu-gcc-ranlib-8,s390x-linux-gnu-gcov-8,s390x-linux-gnu-gcov-dump-8,s390x-linux-gnu-gcov-tool-8 name: gcc-arm-none-eabi version: 15:6.3.1+svn253039-1build1 commands: arm-none-eabi-c++,arm-none-eabi-cpp,arm-none-eabi-g++,arm-none-eabi-gcc,arm-none-eabi-gcc-6.3.1,arm-none-eabi-gcc-ar,arm-none-eabi-gcc-nm,arm-none-eabi-gcc-ranlib,arm-none-eabi-gcov,arm-none-eabi-gcov-dump,arm-none-eabi-gcov-tool name: gcc-avr version: 1:5.4.0+Atmel3.6.0-1build1 commands: avr-c++,avr-cpp,avr-g++,avr-gcc,avr-gcc-5.4.0,avr-gcc-ar,avr-gcc-nm,avr-gcc-ranlib,avr-gcov,avr-gcov-tool name: gcc-h8300-hms version: 1:3.4.6+dfsg2-4ubuntu3 commands: h8300-hitachi-coff-c++,h8300-hitachi-coff-cpp,h8300-hitachi-coff-g++,h8300-hitachi-coff-gcc,h8300-hitachi-coff-gcc-3.4.6,h8300-hms-c++,h8300-hms-cpp,h8300-hms-g++,h8300-hms-gcc,h8300-hms-gcc-3.4.6 name: gcc-m68hc1x version: 1:3.3.6+3.1+dfsg-3ubuntu2 commands: m68hc11-cpp,m68hc11-gcc,m68hc11-gccbug,m68hc11-gcov name: gcc-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-cpp,i686-w64-mingw32-cpp-posix,i686-w64-mingw32-cpp-win32,i686-w64-mingw32-gcc,i686-w64-mingw32-gcc-7,i686-w64-mingw32-gcc-7.3-posix,i686-w64-mingw32-gcc-7.3-win32,i686-w64-mingw32-gcc-ar,i686-w64-mingw32-gcc-ar-posix,i686-w64-mingw32-gcc-ar-win32,i686-w64-mingw32-gcc-nm,i686-w64-mingw32-gcc-nm-posix,i686-w64-mingw32-gcc-nm-win32,i686-w64-mingw32-gcc-posix,i686-w64-mingw32-gcc-ranlib,i686-w64-mingw32-gcc-ranlib-posix,i686-w64-mingw32-gcc-ranlib-win32,i686-w64-mingw32-gcc-win32,i686-w64-mingw32-gcov,i686-w64-mingw32-gcov-dump-posix,i686-w64-mingw32-gcov-dump-win32,i686-w64-mingw32-gcov-posix,i686-w64-mingw32-gcov-tool-posix,i686-w64-mingw32-gcov-tool-win32,i686-w64-mingw32-gcov-win32 name: gcc-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-cpp,x86_64-w64-mingw32-cpp-posix,x86_64-w64-mingw32-cpp-win32,x86_64-w64-mingw32-gcc,x86_64-w64-mingw32-gcc-7,x86_64-w64-mingw32-gcc-7.3-posix,x86_64-w64-mingw32-gcc-7.3-win32,x86_64-w64-mingw32-gcc-ar,x86_64-w64-mingw32-gcc-ar-posix,x86_64-w64-mingw32-gcc-ar-win32,x86_64-w64-mingw32-gcc-nm,x86_64-w64-mingw32-gcc-nm-posix,x86_64-w64-mingw32-gcc-nm-win32,x86_64-w64-mingw32-gcc-posix,x86_64-w64-mingw32-gcc-ranlib,x86_64-w64-mingw32-gcc-ranlib-posix,x86_64-w64-mingw32-gcc-ranlib-win32,x86_64-w64-mingw32-gcc-win32,x86_64-w64-mingw32-gcov,x86_64-w64-mingw32-gcov-dump-posix,x86_64-w64-mingw32-gcov-dump-win32,x86_64-w64-mingw32-gcov-posix,x86_64-w64-mingw32-gcov-tool-posix,x86_64-w64-mingw32-gcov-tool-win32,x86_64-w64-mingw32-gcov-win32 name: gcc-msp430 version: 4.6.3~mspgcc-20120406-7ubuntu5 commands: msp430-c++,msp430-cpp,msp430-g++,msp430-gcc,msp430-gcc-4.6.3,msp430-gcov name: gcc-opt version: 1.20build1 commands: g++-3.3,g++-3.4,g++-4.0,gcc-3.3,gcc-3.4,gcc-4.0 name: gcc-python3-dbg-plugin version: 0.15-4 commands: gcc-with-python3_dbg name: gcc-python3-plugin version: 0.15-4 commands: gcc-with-python3 name: gccgo version: 4:8-20180321-2ubuntu2 commands: gccgo,s390x-linux-gnu-gccgo name: gccgo-4.8 version: 4.8.5-4ubuntu8 commands: gccgo-4.8,s390x-linux-gnu-gccgo-4.8 name: gccgo-5 version: 5.5.0-12ubuntu1 commands: gccgo-5,go-5,gofmt-5,s390x-linux-gnu-gccgo-5 name: gccgo-6 version: 6.4.0-17ubuntu1 commands: gccgo-6,go-6,gofmt-6,s390x-linux-gnu-gccgo-6,s390x-linux-gnu-go-6,s390x-linux-gnu-gofmt-6 name: gccgo-7 version: 7.3.0-16ubuntu3 commands: gccgo-7,go-7,gofmt-7,s390x-linux-gnu-gccgo-7,s390x-linux-gnu-go-7,s390x-linux-gnu-gofmt-7 name: gccgo-8 version: 8-20180414-1ubuntu2 commands: gccgo-8,go-8,gofmt-8,s390x-linux-gnu-gccgo-8,s390x-linux-gnu-go-8,s390x-linux-gnu-gofmt-8 name: gccgo-go version: 2:1.10~4ubuntu1 commands: go,gofmt name: gce-compute-image-packages version: 20180129+dfsg1-0ubuntu3 commands: google_accounts_daemon,google_clock_skew_daemon,google_instance_setup,google_ip_forwarding_daemon,google_metadata_script_runner,google_network_setup,optimize_local_ssd,set_multiqueue name: gchempaint version: 0.14.17-1ubuntu1 commands: gchempaint,gchempaint-0.14 name: gcin version: 2.8.5+dfsg1-4build4 commands: gcin,gcin-exit,gcin-gb-toggle,gcin-kbm-toggle,gcin-message,gcin-tools,gcin2tab,gtab-db-gen,gtab-merge,juyin-learn,phoa2d,phod2a,sim2trad,trad2sim,ts-contribute,ts-contribute-en,ts-edit,ts-edit-en,tsa2d32,tsd2a32,tsin2gtab-phrase,tslearn,txt2gtab-phrase name: gcl version: 2.6.12-76 commands: gcl name: gcompris-qt version: 0.81-2 commands: gcompris-qt name: gconf-editor version: 3.0.1-3ubuntu1 commands: gconf-editor name: gconf2 version: 3.2.6-4ubuntu1 commands: gconf-merge-tree,gconf-schemas,gconftool,gconftool-2,gsettings-data-convert,gsettings-schema-convert,update-gconf-defaults name: gconjugue version: 0.8.3-1 commands: gconjugue name: gcovr version: 3.4-1 commands: gcovr name: gcp version: 0.1.3-5 commands: gcp name: gcpegg version: 5.1-14 commands: eggsh,gcpbasket,regtest name: gcrystal version: 0.14.17-1ubuntu1 commands: gcrystal,gcrystal-0.14 name: gcstar version: 1.7.1+repack-1 commands: gcstar name: gcu-bin version: 0.14.17-1ubuntu1 commands: gchem3d,gchem3d-0.14,gchemcalc,gchemcalc-0.14,gchemtable,gchemtable-0.14,gspectrum,gspectrum-0.14 name: gcx version: 1.3-1.1build1 commands: gcx name: gdal-bin version: 2.2.3+dfsg-2 commands: gdal_contour,gdal_grid,gdal_rasterize,gdal_translate,gdaladdo,gdalbuildvrt,gdaldem,gdalenhance,gdalinfo,gdallocationinfo,gdalmanage,gdalserver,gdalsrsinfo,gdaltindex,gdaltransform,gdalwarp,gnmanalyse,gnmmanage,nearblack,ogr2ogr,ogrinfo,ogrlineref,ogrtindex,testepsg name: gdb-avr version: 7.7-4 commands: avr-gdb,avr-run name: gdb-mingw-w64 version: 8.0.90.20180111-0ubuntu2+10.5 commands: i686-w64-mingw32-gdb,x86_64-w64-mingw32-gdb name: gdb-multiarch version: 8.1-0ubuntu3 commands: gdb-multiarch name: gdbmtool version: 1.14.1-6 commands: gdbm_dump,gdbm_load,gdbmtool name: gdc version: 4:8-20180321-2ubuntu2 commands: gdc,s390x-linux-gnu-gdc name: gdc-4.8 version: 4.8.5-4ubuntu8 commands: gdc-4.8,s390x-linux-gnu-gdc-4.8 name: gdc-5 version: 5.5.0-12ubuntu1 commands: gdc-5,s390x-linux-gnu-gdc-5 name: gdc-6 version: 6.4.0-17ubuntu1 commands: gdc-6,s390x-linux-gnu-gdc-6 name: gdc-7 version: 7.3.0-16ubuntu3 commands: gdc-7,s390x-linux-gnu-gdc-7 name: gdc-8 version: 8-20180414-1ubuntu2 commands: gdc-8,s390x-linux-gnu-gdc-8 name: gddrescue version: 1.22-1 commands: ddrescue,ddrescuelog name: gdebi version: 0.9.5.7+nmu2 commands: gdebi-gtk name: gdebi-core version: 0.9.5.7+nmu2 commands: gdebi name: gdf-tools version: 0.1.2-2.1 commands: gdf_merger name: gdigi version: 0.4.0-1build1 commands: gdigi name: gdis version: 0.90-5build1 commands: gdis name: gdmap version: 0.8.1-4 commands: gdmap name: gdnsd version: 2.3.0-1 commands: gdnsd,gdnsd_geoip_test name: gdpc version: 2.2.5-8 commands: gdpc name: geant321 version: 1:3.21.14.dfsg-11build1 commands: gxint name: geany version: 1.32-2 commands: geany name: gearman-job-server version: 1.1.18+ds-1 commands: gearmand name: gearman-server version: 1.130.1-1 commands: gearmand name: gearman-tools version: 1.1.18+ds-1 commands: gearadmin,gearman name: geary version: 0.12.0-1ubuntu1 commands: geary,geary-attach name: geda-gattrib version: 1:1.8.2-6 commands: gattrib name: geda-gnetlist version: 1:1.8.2-6 commands: gnetlist name: geda-gschem version: 1:1.8.2-6 commands: gschem name: geda-gsymcheck version: 1:1.8.2-6 commands: gsymcheck name: geda-utils version: 1:1.8.2-6 commands: convert_sym,garchive,gmk_sym,grenum,gsch2pcb,gschlas,gsymfix,gxyrs,olib,pads_backannotate,pcb_backannotate,refdes_renum,sarlacc_schem,sarlacc_sym,schdiff,smash_megafile,sw2asc,tragesym name: geda-xgsch2pcb version: 0.1.3-3 commands: xgsch2pcb name: geekcode version: 1.7.3-6build1 commands: geekcode name: geeqie version: 1:1.4-3 commands: geeqie name: geg version: 2.0.9-2 commands: eps2svg,geg name: gegl version: 0.3.30-1ubuntu1 commands: gcut,gegl,gegl-imgcmp name: geis-tools version: 2.2.17+16.04.20160126-0ubuntu2 commands: geistest,geisview,pygeis name: geki2 version: 2.0.3-9build1 commands: geki2 name: geki3 version: 1.0.3-8.1 commands: geki3 name: gelemental version: 1.2.0-11 commands: gelemental name: gem version: 1:0.93.3-13 commands: pd-gem name: gem2deb version: 0.38.1 commands: dh-make-ruby,dh_ruby,dh_ruby_fixdepends,dh_ruby_fixdocs,gem2deb,gem2tgz,gen-ruby-trans-pkgs name: gem2deb-test-runner version: 0.38.1 commands: gem2deb-test-runner name: gemdropx version: 0.9-7build1 commands: gemdropx name: gems version: 1.1.1-2build1 commands: gems-client,gems-server name: genbackupdata version: 1.9-1 commands: genbackupdata name: gendarme version: 4.2-2.2 commands: gd2i,gendarme,gendarme-wizard name: genders version: 1.21-1build5 commands: nodeattr name: geneagrapher version: 1.0c2+git20120704-2 commands: ggrapher name: geneatd version: 1.0+svn6511+dfsg-0ubuntu2 commands: geneatd name: generator-scripting-language version: 4.1.5-2 commands: gsl name: geneweb version: 6.08+git20161106+dfsg-2 commands: consang,ged2gwb,ged2gwb2,gwb2ged,gwc,gwc2,gwd,gwu,update_nldb name: geneweb-gui version: 6.08+git20161106+dfsg-2 commands: geneweb-gui name: genext2fs version: 1.4.1-4build2 commands: genext2fs name: gengetopt version: 2.22.6+dfsg0-2 commands: gengetopt name: genisovh version: 0.1-4build1 commands: genisovh name: genius version: 1.0.23-3 commands: genius name: genometools version: 1.5.10+ds-2 commands: gt name: genparse version: 0.9.2-1 commands: genparse name: genromfs version: 0.5.2-2build3 commands: genromfs name: gentoo version: 0.20.7-1 commands: gentoo name: genwqe-tools version: 4.0.18-3 commands: genwqe_cksum,genwqe_csv2vpd,genwqe_echo,genwqe_ffdc,genwqe_gunzip,genwqe_gzip,genwqe_memcopy,genwqe_mt_perf,genwqe_peek,genwqe_poke,genwqe_test_gz,genwqe_update,genwqe_vpdconv,genwqe_vpdupdate,zlib_mt_perf name: genxdr version: 2.0.1-4 commands: genxdr name: geoclue-examples version: 0.12.99-4ubuntu2 commands: geoclue-test-gui name: geogebra version: 4.0.34.0+dfsg1-4 commands: geogebra name: geogebra-gnome version: 4.0.34.0+dfsg1-4 commands: ggthumb name: geographiclib-tools version: 1.49-2 commands: CartConvert,ConicProj,GeoConvert,GeodSolve,GeodesicProj,GeoidEval,Gravity,MagneticField,Planimeter,RhumbSolve,TransverseMercatorProj,geographiclib-get-geoids,geographiclib-get-gravity,geographiclib-get-magnetic name: geomview version: 1.9.5-2 commands: anytooff,anytoucd,bdy,bez2mesh,clip,geomview,hvectext,math2oogl,offconsol,oogl2rib,oogl2vrml,oogl2vrml2,polymerge,remotegv,togeomview,ucdtooff,vrml2oogl name: geophar version: 16.08.4~dfsg1-1 commands: geophar name: geotiff-bin version: 1.4.2-2build1 commands: applygeo,geotifcp,listgeo name: geotranz version: 3.3-1 commands: geotranz name: gerbera version: 1.1.0+dfsg-2 commands: gerbera name: gerbv version: 2.6.1-3 commands: gerbv name: gerris version: 20131206+dfsg-18 commands: bat2gts,gerris2D,gerris3D,gfs-highlight,gfs2gfs,gfs2oogl2D,gfs2oogl3D,gfscombine2D,gfscombine3D,gfscompare2D,gfscompare3D,gfsjoin,gfsjoin2D,gfsjoin3D,gfsplot,gfsxref,kdt2kdt,kdtquery,ppm2mpeg,ppm2theora,ppm2video,ppmcombine,rsurface2kdt,shapes,streamanime,xyz2kdt name: gerstensaft version: 0.3-4.2 commands: beer name: gertty version: 1.5.0-1 commands: gertty name: ges1.0-tools version: 1.14.0-1 commands: ges-launch-1.0 name: gespeaker version: 0.8.6-1 commands: gespeaker name: get-flash-videos version: 1.25.98-1 commands: get_flash_videos name: getdata version: 0.2-2 commands: getData name: getdns-utils version: 1.4.0-1 commands: getdns_query,getdns_server_mon name: getdp version: 2.11.3+dfsg1-1 commands: getdp name: getdp-sparskit version: 2.11.3+dfsg1-1 commands: getdp-sparskit name: getlive version: 2.4+cvs20120801-1 commands: getlive name: getmail version: 5.5-3 commands: getmail,getmail_fetch,getmail_maildir,getmail_mbox,getmails name: getstream version: 20100616-1build1 commands: getstream name: gettext-lint version: 0.4-2.1 commands: POFileChecker,POFileClean,POFileConsistency,POFileEquiv,POFileFill,POFileGlossary,POFileSpell,POFileStatus name: gexec version: 0.4-2 commands: gexec name: geximon version: 0.7.7-2.1 commands: geximon name: gextractwinicons version: 0.3.1-1.1 commands: gextractwinicons name: gf-complete-tools version: 1.0.2-2build1 commands: gf_add,gf_div,gf_inline_time,gf_methods,gf_mult,gf_poly,gf_time,gf_unit name: gfan version: 0.5+dfsg-6 commands: gfan,gfan_bases,gfan_buchberger,gfan_combinerays,gfan_doesidealcontain,gfan_fancommonrefinement,gfan_fanhomology,gfan_fanlink,gfan_fanproduct,gfan_fansubfan,gfan_genericlinearchange,gfan_groebnercone,gfan_groebnerfan,gfan_homogeneityspace,gfan_homogenize,gfan_initialforms,gfan_interactive,gfan_ismarkedgroebnerbasis,gfan_krulldimension,gfan_latticeideal,gfan_leadingterms,gfan_list,gfan_markpolynomialset,gfan_minkowskisum,gfan_minors,gfan_mixedvolume,gfan_overintegers,gfan_padic,gfan_polynomialsetunion,gfan_render,gfan_renderstaircase,gfan_saturation,gfan_secondaryfan,gfan_stats,gfan_substitute,gfan_symmetries,gfan_tolatex,gfan_topolyhedralfan,gfan_tropicalbasis,gfan_tropicalbruteforce,gfan_tropicalevaluation,gfan_tropicalfunction,gfan_tropicalhypersurface,gfan_tropicalintersection,gfan_tropicallifting,gfan_tropicallinearspace,gfan_tropicalmultiplicity,gfan_tropicalrank,gfan_tropicalstartingcone,gfan_tropicaltraverse,gfan_tropicalweildivisor,gfan_version name: gfarm-client version: 2.6.15+dfsg-1build1 commands: gfarm-pcp,gfarm-prun,gfarm-ptool,gfchgrp,gfchmod,gfchown,gfcksum,gfdf,gfedquota,gfexport,gffindxmlattr,gfgroup,gfhost,gfkey,gfln,gfls,gfmkdir,gfmv,gfncopy,gfpcopy,gfprep,gfquota,gfquotacheck,gfreg,gfrep,gfrm,gfrmdir,gfsched,gfstat,gfstatus,gfsudo,gfusage,gfuser,gfwhere,gfwhoami,gfxattr name: gfarm2fs version: 1.2.9.9-1 commands: gfarm2fs name: gfceu version: 0.6.1-0ubuntu4 commands: gfceu name: gff2aplot version: 2.0-9 commands: ali2gff,blat2gff,gff2aplot,parseblast,sim2gff name: gff2ps version: 0.98d-6 commands: gff2ps name: gfio version: 3.1-1 commands: gfio name: gfm version: 1.07-2 commands: gfm name: gfmd version: 2.6.15+dfsg-1build1 commands: config-gfarm,config-gfarm-update,gfdump.postgresql,gfmd name: gforth version: 0.7.3+dfsg-5 commands: gforth,gforth-0.7.3,gforth-fast,gforth-fast-0.7.3,gforth-itc,gforth-itc-0.7.3,gforthmi,gforthmi-0.7.3,vmgen,vmgen-0.7.3 name: gfortran-4.8 version: 4.8.5-4ubuntu8 commands: gfortran-4.8,s390x-linux-gnu-gfortran-4.8 name: gfortran-5 version: 5.5.0-12ubuntu1 commands: gfortran-5,s390x-linux-gnu-gfortran-5 name: gfortran-6 version: 6.4.0-17ubuntu1 commands: gfortran-6,s390x-linux-gnu-gfortran-6 name: gfortran-8 version: 8-20180414-1ubuntu2 commands: gfortran-8,s390x-linux-gnu-gfortran-8 name: gfortran-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gfortran,i686-w64-mingw32-gfortran-posix,i686-w64-mingw32-gfortran-win32 name: gfortran-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gfortran,x86_64-w64-mingw32-gfortran-posix,x86_64-w64-mingw32-gfortran-win32 name: gfpoken version: 1-2build1 commands: gfpoken name: gfs2-utils version: 3.1.9-2ubuntu1 commands: fsck.gfs2,gfs2_convert,gfs2_edit,gfs2_fsck,gfs2_grow,gfs2_jadd,gfs2_lockcapture,gfs2_mkfs,gfs2_trace,glocktop,mkfs.gfs2,tunegfs2 name: gfsd version: 2.6.15+dfsg-1build1 commands: config-gfsd,gfarm.arch.guess,gfsd name: gfsview version: 20121130+dfsg-4build1 commands: gfsview,gfsview2D,gfsview3D name: gfsview-batch version: 20121130+dfsg-4build1 commands: gfsview-batch2D,gfsview-batch3D name: gftp-common version: 2.0.19-5 commands: gftp name: gftp-gtk version: 2.0.19-5 commands: gftp-gtk name: gftp-text version: 2.0.19-5 commands: ftp,gftp-text name: ggcov version: 0.9-20 commands: ggcov,ggcov-run,ggcov-webdb,git-history-coverage,tggcov name: ggobi version: 2.1.11-2build1 commands: ggobi name: ghc version: 8.0.2-11 commands: ghc,ghc-8.0.2,ghc-pkg,ghc-pkg-8.0.2,ghci,ghci-8.0.2,haddock,haddock-ghc-8.0.2,hpc,hsc2hs,runghc,runghc-8.0.2,runhaskell name: ghc-mod version: 5.8.0.0-1 commands: ghc-mod,ghc-modi name: ghemical version: 3.0.0-3 commands: ghemical name: ghex version: 3.18.3-3 commands: ghex name: ghi version: 1.2.0-1 commands: ghi name: ghkl version: 5.0.0.2449-1 commands: ghkl name: ghostess version: 20120105-1build2 commands: ghostess,ghostess_universal_gui name: ghp-import version: 0.5.5-1 commands: ghp-import name: giada version: 0.14.5~dfsg1-2 commands: giada name: giblib-dev version: 1.2.4-11 commands: giblib-config name: giella-core version: 0.1.1~r129227+svn121148-1 commands: gt-core.sh,gt-version.sh name: giella-sme version: 0.0.20150917~r121176-2 commands: usme-gt.sh name: gif2apng version: 1.9+srconly-2 commands: gif2apng name: gif2png version: 2.5.8-1build1 commands: gif2png,web2png name: giflib-tools version: 5.1.4-2 commands: gif2rgb,gifbuild,gifclrmp,gifecho,giffix,gifinto,giftext,giftool name: gifshuffle version: 2.0-1 commands: gifshuffle name: gifsicle version: 1.91-2 commands: gifdiff,gifsicle,gifview name: gifti-bin version: 1.0.9-2 commands: gifti_test,gifti_tool name: giftrans version: 1.12.2-19 commands: giftrans name: gigedit version: 1.1.0-2 commands: gigedit name: giggle version: 0.7-3 commands: giggle name: gigolo version: 0.4.2-2 commands: gigolo name: gigtools version: 4.1.0~repack-2 commands: akaidump,akaiextract,dlsdump,gig2mono,gig2stereo,gigdump,gigextract,gigmerge,korg2gig,korgdump,rifftree,sf2dump,sf2extract name: gimagereader version: 3.2.3-2 commands: gimagereader-gtk name: gimmix version: 0.5.7.1-5ubuntu1 commands: gimmix name: gimp version: 2.8.22-1 commands: gimp,gimp-2.8,gimp-console,gimp-console-2.8 name: ginac-tools version: 1.7.4-1 commands: ginsh,viewgar name: ginga version: 2.7.0-2 commands: ggrc,ginga name: ginkgocadx version: 3.8.7-1build1 commands: ginkgocadx name: ginn version: 0.2.6-0ubuntu6 commands: ginn name: gip version: 1.7.0-1-4 commands: gip name: gisomount version: 1.0.1-0ubuntu3 commands: gisomount name: gist version: 4.6.1-1 commands: gist-paste name: git-annex version: 6.20180227-1 commands: git-annex,git-annex-shell,git-remote-tor-annex name: git-annex-remote-rclone version: 0.5-1 commands: git-annex-remote-rclone name: git-big-picture version: 0.9.0+git20131031-2 commands: git-big-picture name: git-build-recipe version: 0.3.5 commands: git-build-recipe name: git-buildpackage version: 0.9.8 commands: gbp,git-pbuilder name: git-cola version: 3.0-1ubuntu1 commands: cola,git-cola,git-dag name: git-crypt version: 0.6.0-1build1 commands: git-crypt name: git-cvs version: 1:2.17.0-1ubuntu1 commands: git-cvsserver name: git-dpm version: 0.9.1-1 commands: git-dpm name: git-extras version: 4.5.0-1 commands: git-alias,git-archive-file,git-authors,git-back,git-bug,git-bulk,git-changelog,git-chore,git-clear,git-clear-soft,git-commits-since,git-contrib,git-count,git-create-branch,git-delete-branch,git-delete-merged-branches,git-delete-submodule,git-delete-tag,git-delta,git-effort,git-extras,git-feature,git-force-clone,git-fork,git-fresh-branch,git-graft,git-guilt,git-ignore,git-ignore-io,git-info,git-line-summary,git-local-commits,git-lock,git-locked,git-merge-into,git-merge-repo,git-missing,git-mr,git-obliterate,git-pr,git-psykorebase,git-pull-request,git-reauthor,git-rebase-patch,git-refactor,git-release,git-rename-branch,git-rename-tag,git-repl,git-reset-file,git-root,git-rscp,git-scp,git-sed,git-setup,git-show-merged-branches,git-show-tree,git-show-unmerged-branches,git-squash,git-stamp,git-standup,git-summary,git-sync,git-touch,git-undo,git-unlock name: git-ftp version: 1.3.1-1 commands: git-ftp name: git-hub version: 1.0.0-1 commands: git-hub name: git-lfs version: 2.3.4-1 commands: git-lfs name: git-merge-changelog version: 20140202+stable-2build1 commands: git-merge-changelog name: git-notifier version: 1:0.6-25-1 commands: git-notifier,github-notifier name: git-phab version: 2.1.0-2 commands: git-phab name: git-publish version: 1.4.2-1 commands: git-publish name: git-reintegrate version: 0.4-1 commands: git-reintegrate name: git-remote-gcrypt version: 1.0.2-1 commands: git-remote-gcrypt name: git-repair version: 1.20151215-1.1 commands: git-repair name: git-review version: 1.26.0-1 commands: git-review name: git-secret version: 0.2.3-1 commands: git-secret name: git-sh version: 1.1-1 commands: git-sh name: git2cl version: 1:2.0+git20120920-1 commands: git2cl name: gitano version: 1.1-1 commands: gitano-setup name: gitg version: 3.26.0-4 commands: gitg name: github-backup version: 1.20170301-2 commands: github-backup,gitriddance name: gitinspector version: 0.4.4+dfsg-4 commands: gitinspector name: gitit version: 0.12.2.1+dfsg-2build1 commands: expireGititCache,gitit name: gitk version: 1:2.17.0-1ubuntu1 commands: gitk name: gitlab-cli version: 1:1.3.0-2 commands: gitlab name: gitlab-runner version: 10.5.0+dfsg-2 commands: gitlab-ci-multi-runner,gitlab-runner,gitlab-runner-helper name: gitlab-workhorse version: 0.8.5+debian-3 commands: gitlab-workhorse,gitlab-zip-cat,gitlab-zip-metadata name: gitlint version: 0.9.0-2 commands: gitlint name: gitolite3 version: 3.6.7-2 commands: gitolite name: gitpkg version: 0.28 commands: git-debcherry,git-debimport,gitpkg name: gitso version: 0.6.2+svn158+dfsg-1 commands: gitso name: gitsome version: 0.7.0-2 commands: gh,gitsome name: gitstats version: 2015.10.03-1 commands: gitstats name: gjacktransport version: 0.6.1-1build2 commands: gjackclock,gjacktransport name: gjay version: 0.3.2-1.2build1 commands: gjay name: gjiten version: 2.6-3ubuntu1 commands: gjiten,gjitenconfig name: gjots2 version: 2.4.1-5 commands: docbook2gjots,gjots2,gjots2docbook,gjots2html,gjots2lpr name: gkamus version: 1.0-0ubuntu3 commands: gkamus name: gkdebconf version: 2.0.3 commands: gkdebconf,gkdebconf-term name: gkermit version: 1.0-10 commands: gkermit name: gkrellm version: 2.3.10-1 commands: gkrellm name: gkrellm-cpufreq version: 0.6.4-4 commands: cpufreqnextgovernor name: gkrellmd version: 2.3.10-1 commands: gkrellmd name: gl-117 version: 1.3.2-3 commands: gl-117 name: glabels version: 3.4.0-2build2 commands: glabels-3,glabels-3-batch name: glade version: 3.22.1-1 commands: glade,glade-previewer name: gladish version: 1+dfsg0-5.1 commands: gladish name: gladtex version: 2.3.1-1 commands: gladtex name: glam2 version: 1064-4 commands: glam2,glam2-purge,glam2format,glam2mask,glam2scan name: glances version: 2.11.1-3 commands: glances name: glaurung version: 2.2-2ubuntu2 commands: glaurung name: glbinding-tools version: 2.1.1-1 commands: glcontexts,glfunctions,glmeta,glqueries name: glbsp version: 2.24-3 commands: glbsp name: gle-graphics version: 4.2.5-7 commands: gle,manip,qgle name: glew-utils version: 2.0.0-5 commands: glewinfo,visualinfo name: glewlwyd version: 1.3.1-1 commands: glewlwyd name: glfer version: 0.4.2-2build1 commands: glfer name: glhack version: 1.2-4 commands: glhack name: glimpse version: 4.18.7-3build1 commands: agrep,glimpse,glimpseindex,glimpseserver name: glirc version: 2.24-1build1 commands: glirc2 name: gliv version: 1.9.7-2build1 commands: gliv name: glmark2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2 name: glmark2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-drm name: glmark2-es2 version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2 name: glmark2-es2-drm version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-drm name: glmark2-es2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-es2-wayland name: glmark2-wayland version: 2014.03+git20150611.fa71af2d-0ubuntu4 commands: glmark2-wayland name: glmemperf version: 0.17-0ubuntu3 commands: glmemperf name: glob2 version: 0.9.4.4-2.5build2 commands: glob2 name: global version: 6.6.2-1 commands: global,globash,gozilla,gtags,gtags-cscope,htags,htags-server name: globs version: 0.2.0~svn50-4ubuntu2 commands: globs name: globus-common-progs version: 17.2-1 commands: globus-domainname,globus-hostname,globus-libc-hostname,globus-redia,globus-sh-exec,globus-version name: globus-gass-cache-program version: 6.7-2 commands: globus-gass-cache,globus-gass-cache-destroy,globus-gass-cache-util name: globus-gass-copy-progs version: 9.28-1build1 commands: globus-url-copy name: globus-gass-server-ez-progs version: 5.8-2 commands: globus-gass-server,globus-gass-server-shutdown name: globus-gatekeeper version: 10.12-2build1 commands: globus-gatekeeper,globus-k5 name: globus-gfork-progs version: 4.9-2 commands: gfork name: globus-gram-audit version: 4.6-2 commands: globus-gram-audit name: globus-gram-client-tools version: 11.10-2 commands: globus-job-cancel,globus-job-clean,globus-job-get-output,globus-job-get-output-helper,globus-job-run,globus-job-status,globus-job-submit,globusrun name: globus-gram-job-manager version: 14.36-2 commands: globus-gram-streamer,globus-job-manager,globus-job-manager-lock-test,globus-personal-gatekeeper,globus-rvf-check,globus-rvf-edit name: globus-gram-job-manager-fork version: 2.6-2 commands: globus-fork-starter name: globus-gram-job-manager-scripts version: 6.10-1 commands: globus-gatekeeper-admin name: globus-gridftp-server-progs version: 12.2-2 commands: gfs-dynbe-client,gfs-gfork-master,globus-gridftp-password,globus-gridftp-server,globus-gridftp-server-enable-sshftp,globus-gridftp-server-setup-chroot name: globus-gsi-cert-utils-progs version: 9.16-2build1 commands: globus-update-certificate-dir,grid-cert-info,grid-cert-request,grid-change-pass-phrase,grid-default-ca name: globus-gss-assist-progs version: 11.1-1 commands: grid-mapfile-add-entry,grid-mapfile-check-consistency,grid-mapfile-delete-entry name: globus-proxy-utils version: 6.19-2build1 commands: grid-cert-diagnostics,grid-proxy-destroy,grid-proxy-info,grid-proxy-init name: globus-scheduler-event-generator-progs version: 5.12-2 commands: globus-scheduler-event-generator,globus-scheduler-event-generator-admin name: globus-simple-ca version: 4.24-2 commands: grid-ca-create,grid-ca-package,grid-ca-sign name: globus-xioperf version: 4.5-2 commands: globus-xioperf name: glogg version: 1.1.4-1 commands: glogg name: glogic version: 2.6-3 commands: glogic name: glom version: 1.30.4-0ubuntu12 commands: glom name: glom-utils version: 1.30.4-0ubuntu12 commands: glom_create_from_example,glom_test_connection name: glosstex version: 0.4.dfsg.1-4 commands: glosstex name: glpeces version: 5.2-1 commands: glpeces name: glpk-utils version: 4.65-1 commands: glpsol name: gltron version: 0.70final-12.1build1 commands: gltron name: glue-sprite version: 0.13-2 commands: glue-sprite name: glueviz version: 0.9.1+dfsg-1 commands: glue name: glurp version: 0.12.3-1build1 commands: glurp name: glusterfs-client version: 3.13.2-1build1 commands: fusermount-glusterfs,glusterfind,glusterfs,mount.glusterfs name: glusterfs-common version: 3.13.2-1build1 commands: gf_attach,gluster-georep-sshkey,gluster-mountbroker,gluster-setgfid2path,glusterfsd name: glusterfs-server version: 3.13.2-1build1 commands: glfsheal,gluster,gluster-eventsapi,glusterd,glustereventsd name: glyrc version: 1.0.9-1 commands: glyrc name: gmail-notify version: 1.6.1.1-3 commands: gmail-notify name: gmailieer version: 0.6-1 commands: gmi name: gman version: 0.9.3-5.2ubuntu2 commands: gman name: gmanedit version: 0.4.2-7 commands: gmanedit name: gmchess version: 0.29.6.3-1 commands: gmchess name: gmediarender version: 0.0.7~git20170910+repack-1 commands: gmediarender name: gmediaserver version: 0.13.0-8ubuntu2 commands: gmediaserver name: gmemusage version: 0.2-11ubuntu2 commands: gmemusage name: gmerlin version: 1.2.0~dfsg+1-6.1build1 commands: album2m3u,album2pls,gmerlin,gmerlin-record,gmerlin-video-thumbnailer,gmerlin_alsamixer,gmerlin_imgconvert,gmerlin_imgdiff,gmerlin_kbd,gmerlin_kbd_config,gmerlin_launcher,gmerlin_play,gmerlin_plugincfg,gmerlin_psnr,gmerlin_recorder,gmerlin_remote,gmerlin_ssim,gmerlin_transcoder,gmerlin_transcoder_remote,gmerlin_vanalyze,gmerlin_visualize,gmerlin_visualizer,gmerlin_vpsnr name: gmetad version: 3.6.0-7ubuntu2 commands: gmetad name: gmic version: 1.7.9+zart-4build3 commands: gmic name: gmic-zart version: 1.7.9+zart-4build3 commands: zart name: gmidimonitor version: 3.6+dfsg0-3 commands: gmidimonitor name: gmime-bin version: 3.2.0-1 commands: gmime-uudecode,gmime-uuencode name: gmlive version: 0.22.3-1build2 commands: gmlive name: gmorgan version: 0.40-1build1 commands: gmorgan name: gmotionlive version: 1.0-3build1 commands: gmotionlive name: gmountiso version: 0.4-0ubuntu4 commands: Gmount-iso name: gmp-ecm version: 7.0.4+ds-1 commands: ecm name: gmpc version: 11.8.16-13 commands: gmpc,gmpc-remote,gmpc-remote-stream name: gmrun version: 0.9.2-3 commands: gmrun name: gmsh version: 3.0.6+dfsg1-1 commands: gmsh name: gmt version: 5.4.3+dfsg-1 commands: gmt,gmt_shell_functions.sh,gmtswitch,isogmt name: gmtkbabel version: 0.1-1 commands: gmtkbabel name: gmtp version: 1.3.10-1 commands: gmtp name: gmult version: 8.0-2build1 commands: gmult name: gmusicbrowser version: 1.1.15~ds0-1 commands: gmusicbrowser name: gmysqlcc version: 0.3.0-6 commands: gmysqlcc name: gnarwl version: 3.6.dfsg-11build1 commands: damnit,gnarwl name: gnash version: 0.8.11~git20160608-1.4 commands: gnash-gtk-launcher,gnash-thumbnailer,gtk-gnash name: gnash-common version: 0.8.11~git20160608-1.4 commands: dump-gnash,gnash name: gnash-cygnal version: 0.8.11~git20160608-1.4 commands: cygnal name: gnash-tools version: 0.8.11~git20160608-1.4 commands: flvdumper,gprocessor,rtmpget,soldumper name: gnat-5 version: 5.5.0-12ubuntu1 commands: gcc-5-5,gnat,gnat-5,gnatbind,gnatbind-5,gnatchop,gnatchop-5,gnatclean,gnatclean-5,gnatfind,gnatfind-5,gnatgcc,gnathtml,gnathtml-5,gnatkr,gnatkr-5,gnatlink,gnatlink-5,gnatls,gnatls-5,gnatmake,gnatmake-5,gnatname,gnatname-5,gnatprep,gnatprep-5,gnatxref,gnatxref-5,s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-5,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-5,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-5,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-5,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-5,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-5,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-5,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-5,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-5,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-5,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-5,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-5,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-5 name: gnat-6 version: 6.4.0-17ubuntu1 commands: gcc-6-6,gnat,gnat-6,gnatbind,gnatbind-6,gnatchop,gnatchop-6,gnatclean,gnatclean-6,gnatfind,gnatfind-6,gnatgcc,gnathtml,gnathtml-6,gnatkr,gnatkr-6,gnatlink,gnatlink-6,gnatls,gnatls-6,gnatmake,gnatmake-6,gnatname,gnatname-6,gnatprep,gnatprep-6,gnatxref,gnatxref-6,s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-6,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-6,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-6,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-6,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-6,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-6,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-6,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-6,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-6,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-6,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-6,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-6,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-6 name: gnat-7 version: 7.3.0-16ubuntu3 commands: gnat,gnat-7,gnatbind,gnatbind-7,gnatchop,gnatchop-7,gnatclean,gnatclean-7,gnatfind,gnatfind-7,gnatgcc,gnathtml,gnathtml-7,gnatkr,gnatkr-7,gnatlink,gnatlink-7,gnatls,gnatls-7,gnatmake,gnatmake-7,gnatname,gnatname-7,gnatprep,gnatprep-7,gnatxref,gnatxref-7,s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-7,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-7,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-7,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-7,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-7,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-7,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-7,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-7,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-7,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-7,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-7,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-7,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-7 name: gnat-8 version: 8-20180414-1ubuntu2 commands: gnat,gnat-8,gnatbind,gnatbind-8,gnatchop,gnatchop-8,gnatclean,gnatclean-8,gnatfind,gnatfind-8,gnatgcc,gnathtml,gnathtml-8,gnatkr,gnatkr-8,gnatlink,gnatlink-8,gnatls,gnatls-8,gnatmake,gnatmake-8,gnatname,gnatname-8,gnatprep,gnatprep-8,gnatxref,gnatxref-8,s390x-linux-gnu-gnat,s390x-linux-gnu-gnat-8,s390x-linux-gnu-gnatbind,s390x-linux-gnu-gnatbind-8,s390x-linux-gnu-gnatchop,s390x-linux-gnu-gnatchop-8,s390x-linux-gnu-gnatclean,s390x-linux-gnu-gnatclean-8,s390x-linux-gnu-gnatfind,s390x-linux-gnu-gnatfind-8,s390x-linux-gnu-gnatgcc,s390x-linux-gnu-gnathtml,s390x-linux-gnu-gnathtml-8,s390x-linux-gnu-gnatkr,s390x-linux-gnu-gnatkr-8,s390x-linux-gnu-gnatlink,s390x-linux-gnu-gnatlink-8,s390x-linux-gnu-gnatls,s390x-linux-gnu-gnatls-8,s390x-linux-gnu-gnatmake,s390x-linux-gnu-gnatmake-8,s390x-linux-gnu-gnatname,s390x-linux-gnu-gnatname-8,s390x-linux-gnu-gnatprep,s390x-linux-gnu-gnatprep-8,s390x-linux-gnu-gnatxref,s390x-linux-gnu-gnatxref-8 name: gnat-gps version: 6.1.2016-1ubuntu1 commands: gnat-gps,gnatdoc,gnatspark,gps_cli name: gnat-mingw-w64-i686 version: 7.3.0-11ubuntu1+20.2build1 commands: i686-w64-mingw32-gnat,i686-w64-mingw32-gnat-posix,i686-w64-mingw32-gnat-win32,i686-w64-mingw32-gnatbind,i686-w64-mingw32-gnatbind-posix,i686-w64-mingw32-gnatbind-win32,i686-w64-mingw32-gnatchop,i686-w64-mingw32-gnatchop-posix,i686-w64-mingw32-gnatchop-win32,i686-w64-mingw32-gnatclean,i686-w64-mingw32-gnatclean-posix,i686-w64-mingw32-gnatclean-win32,i686-w64-mingw32-gnatfind,i686-w64-mingw32-gnatfind-posix,i686-w64-mingw32-gnatfind-win32,i686-w64-mingw32-gnatkr,i686-w64-mingw32-gnatkr-posix,i686-w64-mingw32-gnatkr-win32,i686-w64-mingw32-gnatlink,i686-w64-mingw32-gnatlink-posix,i686-w64-mingw32-gnatlink-win32,i686-w64-mingw32-gnatls,i686-w64-mingw32-gnatls-posix,i686-w64-mingw32-gnatls-win32,i686-w64-mingw32-gnatmake,i686-w64-mingw32-gnatmake-posix,i686-w64-mingw32-gnatmake-win32,i686-w64-mingw32-gnatname,i686-w64-mingw32-gnatname-posix,i686-w64-mingw32-gnatname-win32,i686-w64-mingw32-gnatprep,i686-w64-mingw32-gnatprep-posix,i686-w64-mingw32-gnatprep-win32,i686-w64-mingw32-gnatxref,i686-w64-mingw32-gnatxref-posix,i686-w64-mingw32-gnatxref-win32 name: gnat-mingw-w64-x86-64 version: 7.3.0-11ubuntu1+20.2build1 commands: x86_64-w64-mingw32-gnat,x86_64-w64-mingw32-gnat-posix,x86_64-w64-mingw32-gnat-win32,x86_64-w64-mingw32-gnatbind,x86_64-w64-mingw32-gnatbind-posix,x86_64-w64-mingw32-gnatbind-win32,x86_64-w64-mingw32-gnatchop,x86_64-w64-mingw32-gnatchop-posix,x86_64-w64-mingw32-gnatchop-win32,x86_64-w64-mingw32-gnatclean,x86_64-w64-mingw32-gnatclean-posix,x86_64-w64-mingw32-gnatclean-win32,x86_64-w64-mingw32-gnatfind,x86_64-w64-mingw32-gnatfind-posix,x86_64-w64-mingw32-gnatfind-win32,x86_64-w64-mingw32-gnatkr,x86_64-w64-mingw32-gnatkr-posix,x86_64-w64-mingw32-gnatkr-win32,x86_64-w64-mingw32-gnatlink,x86_64-w64-mingw32-gnatlink-posix,x86_64-w64-mingw32-gnatlink-win32,x86_64-w64-mingw32-gnatls,x86_64-w64-mingw32-gnatls-posix,x86_64-w64-mingw32-gnatls-win32,x86_64-w64-mingw32-gnatmake,x86_64-w64-mingw32-gnatmake-posix,x86_64-w64-mingw32-gnatmake-win32,x86_64-w64-mingw32-gnatname,x86_64-w64-mingw32-gnatname-posix,x86_64-w64-mingw32-gnatname-win32,x86_64-w64-mingw32-gnatprep,x86_64-w64-mingw32-gnatprep-posix,x86_64-w64-mingw32-gnatprep-win32,x86_64-w64-mingw32-gnatxref,x86_64-w64-mingw32-gnatxref-posix,x86_64-w64-mingw32-gnatxref-win32 name: gnats-user version: 4.1.0-5 commands: edit-pr,getclose,query-pr,send-pr name: gnee version: 3.19-2 commands: gnee name: gngb version: 20060309-4 commands: gngb name: gniall version: 0.7.1-7.1build1 commands: gniall name: gnokii-cli version: 0.6.31+dfsg-2ubuntu6 commands: gnokii,gnokiid,mgnokiidev,sendsms name: gnokii-smsd version: 0.6.31+dfsg-2ubuntu6 commands: smsd name: gnomad2 version: 2.9.6-5 commands: gnomad2 name: gnome-2048 version: 3.26.1-3build1 commands: gnome-2048 name: gnome-alsamixer version: 0.9.7~cvs.20060916.ds.1-5build1 commands: gnome-alsamixer name: gnome-applets version: 3.28.0-1 commands: cpufreq-selector name: gnome-boxes version: 3.28.1-1 commands: gnome-boxes name: gnome-breakout version: 0.5.3-5 commands: gnome-breakout name: gnome-builder version: 3.28.1-1ubuntu1 commands: gnome-builder name: gnome-chess version: 1:3.28.1-1 commands: gnome-chess name: gnome-clocks version: 3.28.0-1 commands: gnome-clocks name: gnome-color-chooser version: 0.2.5-1.1 commands: gnome-color-chooser name: gnome-color-manager version: 3.28.0-1 commands: gcm-calibrate,gcm-import,gcm-inspect,gcm-picker,gcm-viewer name: gnome-commander version: 1.4.8-1.1 commands: gcmd-block,gnome-commander name: gnome-common version: 3.18.0-4 commands: gnome-autogen.sh name: gnome-contacts version: 3.28.1-0ubuntu1 commands: gnome-contacts name: gnome-desktop-testing version: 2016.1-2 commands: ginsttest-runner,gnome-desktop-testing-runner name: gnome-dictionary version: 3.26.1-4 commands: gnome-dictionary name: gnome-do version: 0.95.3-5ubuntu1 commands: gnome-do name: gnome-doc-utils version: 0.20.10-4 commands: gnome-doc-prepare,gnome-doc-tool,xml2po name: gnome-documents version: 3.28.0-1 commands: gnome-books,gnome-documents name: gnome-dvb-client version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-control,gnome-dvb-setup name: gnome-dvb-daemon version: 1:0.2.91~git20170110-3build2 commands: gnome-dvb-daemon name: gnome-flashback version: 3.28.0-1ubuntu1 commands: gnome-flashback name: gnome-games-app version: 3.28.0-1 commands: gnome-games name: gnome-gmail version: 2.5.4-3 commands: gnome-gmail name: gnome-hwp-support version: 0.1.5-1build1 commands: hwp-thumbnailer name: gnome-keysign version: 0.9-1 commands: gks-qrcode,gnome-keysign name: gnome-klotski version: 1:3.22.3-1 commands: gnome-klotski name: gnome-maps version: 3.28.1-1 commands: gnome-maps name: gnome-mastermind version: 0.3.1-2build1 commands: gnome-mastermind name: gnome-mousetrap version: 3.17.3-4 commands: mousetrap name: gnome-mpv version: 0.13-1ubuntu1 commands: gnome-mpv name: gnome-multi-writer version: 3.28.0-1 commands: gnome-multi-writer name: gnome-music version: 3.28.1-1 commands: gnome-music name: gnome-nds-thumbnailer version: 3.0.0-1build1 commands: gnome-nds-thumbnailer name: gnome-nettool version: 3.8.1-2 commands: gnome-nettool name: gnome-nibbles version: 1:3.24.0-3build1 commands: gnome-nibbles name: gnome-packagekit version: 3.28.0-2 commands: gpk-application,gpk-log,gpk-prefs,gpk-update-viewer name: gnome-paint version: 0.4.0-5 commands: gnome-paint name: gnome-panel version: 1:3.26.0-1ubuntu5 commands: gnome-desktop-item-edit,gnome-panel name: gnome-panel-control version: 3.6.1-7 commands: gnome-panel-control name: gnome-phone-manager version: 0.69-2build6 commands: gnome-phone-manager name: gnome-photos version: 3.28.0-1 commands: gnome-photos name: gnome-pie version: 0.7.1-1 commands: gnome-pie name: gnome-pkg-tools version: 0.20.2ubuntu2 commands: desktop-check-mime-types,dh_gnome,dh_gnome_clean,pkg-gnome-compat-desktop-file name: gnome-ppp version: 0.3.23-1.2ubuntu2 commands: gnome-ppp name: gnome-raw-thumbnailer version: 2.0.1-0ubuntu9 commands: gnome-raw-thumbnailer name: gnome-recipes version: 2.0.2-2 commands: gnome-recipes name: gnome-robots version: 1:3.22.3-1 commands: gnome-robots name: gnome-screensaver version: 3.6.1-8ubuntu3 commands: gnome-screensaver,gnome-screensaver-command name: gnome-session-flashback version: 1:3.28.0-1ubuntu1 commands: x-session-manager name: gnome-shell-extensions version: 3.28.0-2 commands: gnome-session-classic name: gnome-shell-mailnag version: 3.26.0-1 commands: aggregate-avatars name: gnome-shell-pomodoro version: 0.13.4-2 commands: gnome-pomodoro name: gnome-shell-timer version: 0.3.20+20171025-2 commands: gnome-shell-timer-config name: gnome-sound-recorder version: 3.28.1-1 commands: gnome-sound-recorder name: gnome-split version: 1.2-2 commands: gnome-split name: gnome-sushi version: 3.24.0-3 commands: sushi name: gnome-system-log version: 3.9.90-5 commands: gnome-system-log,gnome-system-log-pkexec name: gnome-system-tools version: 3.0.0-6ubuntu1 commands: network-admin,shares-admin,time-admin,users-admin name: gnome-taquin version: 3.28.0-1 commands: gnome-taquin name: gnome-tetravex version: 1:3.22.0-2 commands: gnome-tetravex name: gnome-translate version: 0.99-0ubuntu7 commands: gnome-translate name: gnome-tweaks version: 3.28.1-1 commands: gnome-tweaks name: gnome-twitch version: 0.4.1-2 commands: gnome-twitch name: gnome-usage version: 3.28.0-1 commands: gnome-usage name: gnome-video-arcade version: 0.8.8-2ubuntu1 commands: gnome-video-arcade name: gnome-weather version: 3.26.0-4 commands: gnome-weather name: gnome-xcf-thumbnailer version: 1.0-1.2build1 commands: gnome-xcf-thumbnailer name: gnomekiss version: 2.0-5build1 commands: gnomekiss name: gnomint version: 1.2.1-8 commands: gnomint,gnomint-cli,gnomint-upgrade-db name: gnote version: 3.28.0-1 commands: gnote name: gnss-sdr version: 0.0.9-5build3 commands: front-end-cal,gnss-sdr,volk_gnsssdr-config-info,volk_gnsssdr_profile name: gntp-send version: 0.3.4-1 commands: gntp-send name: gnuais version: 0.3.3-6build1 commands: gnuais name: gnuaisgui version: 0.3.3-6build1 commands: gnuaisgui name: gnuastro version: 0.5-1 commands: astarithmetic,astbuildprog,astconvertt,astconvolve,astcosmiccal,astcrop,astfits,astmatch,astmkcatalog,astmknoise,astmkprof,astnoisechisel,aststatistics,asttable,astwarp name: gnubg version: 1.06.001-1build1 commands: bearoffdump,gnubg,makebearoff,makehyper,makeweights name: gnubiff version: 2.2.17-1build1 commands: gnubiff name: gnubik version: 2.4.3-2 commands: gnubik name: gnucap version: 1:0.36~20091207-2build1 commands: gnucap,gnucap-modelgen name: gnucash version: 1:2.6.19-1 commands: gnc-fq-check,gnc-fq-dump,gnc-fq-helper,gnucash,gnucash-env,gnucash-make-guids name: gnuchess version: 6.2.5-1 commands: gnuchess,gnuchessu,gnuchessx name: gnudatalanguage version: 0.9.7-6 commands: gdl name: gnudoq version: 0.94-2.2 commands: GNUDoQ,gnudoq name: gnugk version: 2:3.6-1build2 commands: addpasswd,gnugk name: gnugo version: 3.8-9build1 commands: gnugo name: gnuhtml2latex version: 0.4-3 commands: gnuhtml2latex name: gnuift version: 0.1.14+ds-1ubuntu1 commands: gift,gift-endianize,gift-extract-features,gift-generate-inverted-file,gift-modify-distance-matrix,gift-one-minus,gift-write-feature-descs name: gnuift-perl version: 0.1.14+ds-1ubuntu1 commands: gift-add-collection.pl,gift-diagnose-print-all-ADI.pl,gift-dtd-to-keywords.pl,gift-dtd-to-tex.pl,gift-mrml-client.pl,gift-old-to-new-url2fts.pl,gift-perl-example-server.pl,gift-remove-collection.pl,gift-start.pl,gift-url-to-fts.pl name: gnuit version: 4.9.5-3build2 commands: gitaction,gitdpkgname,gitfm,gitkeys,gitmkdirs,gitmount,gitps,gitregrep,gitrfgrep,gitrgrep,gitunpack,gitview,gitwhich,gitwipe,gitxgrep name: gnujump version: 1.0.8-3build1 commands: gnujump name: gnukhata-core-engine version: 2.6.1-3 commands: gkstart name: gnulib version: 20140202+stable-2build1 commands: check-module,gnulib-tool name: gnumail.app version: 1.2.3-1build1 commands: GNUMail name: gnumed-client version: 1.6.15+dfsg-1 commands: gm-convert_file,gm-create_datamatrix,gm-describe_file,gm-import_incoming,gm-print_doc,gm_ctl_client,gnumed name: gnumed-client-de version: 1.6.15+dfsg-1 commands: gm-install_arriba name: gnumed-server version: 21.15-1 commands: gm-adjust_db_settings,gm-backup,gm-backup_data,gm-backup_database,gm-bootstrap_server,gm-dump_schema,gm-fingerprint_db,gm-fixup_server,gm-move_backups_offsite,gm-remove_person,gm-restore_data,gm-restore_database,gm-restore_database_from_archive,gm-set_gm-dbo_password,gm-upgrade_server,gm-zip+sign_backups name: gnumeric version: 1.12.35-1.1 commands: gnumeric,ssconvert,ssdiff,ssgrep,ssindex name: gnuminishogi version: 1.4.2-3build2 commands: gnuminishogi name: gnunet version: 0.10.1-5build2 commands: gnunet-arm,gnunet-ats,gnunet-auto-share,gnunet-bcd,gnunet-config,gnunet-conversation,gnunet-conversation-test,gnunet-core,gnunet-datastore,gnunet-directory,gnunet-download,gnunet-download-manager,gnunet-ecc,gnunet-fs,gnunet-gns,gnunet-gns-import,gnunet-gns-proxy-setup-ca,gnunet-identity,gnunet-mesh,gnunet-namecache,gnunet-namestore,gnunet-nat-server,gnunet-nse,gnunet-peerinfo,gnunet-publish,gnunet-qr,gnunet-resolver,gnunet-revocation,gnunet-scrypt,gnunet-search,gnunet-statistics,gnunet-testbed-profiler,gnunet-testing,gnunet-transport,gnunet-transport-certificate-creation,gnunet-unindex,gnunet-uri,gnunet-vpn name: gnunet-fuse version: 0.10.0-2 commands: gnunet-fuse name: gnunet-gtk version: 0.10.1-5 commands: gnunet-conversation-gtk,gnunet-fs-gtk,gnunet-gtk,gnunet-identity-gtk,gnunet-namestore-gtk,gnunet-peerinfo-gtk,gnunet-setup,gnunet-setup-pkexec,gnunet-statistics-gtk name: gnupg-pkcs11-scd version: 0.9.1-1build1 commands: gnupg-pkcs11-scd name: gnupg-pkcs11-scd-proxy version: 0.9.1-1build1 commands: gnupg-pkcs11-scd-proxy,gnupg-pkcs11-scd-proxy-server name: gnupg1 version: 1.4.22-3ubuntu2 commands: gpg1 name: gnupg2 version: 2.2.4-1ubuntu1 commands: gpg2 name: gnuplot-nox version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-nox name: gnuplot-qt version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-qt name: gnuplot-x11 version: 5.2.2+dfsg1-2ubuntu1 commands: gnuplot,gnuplot-x11 name: gnupod-tools version: 0.99.8-5 commands: gnupod_INIT,gnupod_addsong,gnupod_check,gnupod_convert_APE,gnupod_convert_FLAC,gnupod_convert_MIDI,gnupod_convert_OGG,gnupod_convert_RIFF,gnupod_otgsync,gnupod_search,mktunes,tunes2pod name: gnuradio version: 3.7.11-10 commands: dial_tone,display_qt,fcd_nfm_rx,gnuradio-companion,gnuradio-config-info,gr-ctrlport-monitor,gr-ctrlport-monitorc,gr-ctrlport-monitoro,gr-perf-monitorx,gr-perf-monitorxc,gr-perf-monitorxo,gr_constellation_plot,gr_filter_design,gr_modtool,gr_plot_char,gr_plot_const,gr_plot_fft,gr_plot_fft_c,gr_plot_fft_f,gr_plot_float,gr_plot_int,gr_plot_iq,gr_plot_psd,gr_plot_psd_c,gr_plot_psd_f,gr_plot_qt,gr_plot_short,gr_psd_plot_b,gr_psd_plot_c,gr_psd_plot_f,gr_psd_plot_i,gr_psd_plot_s,gr_read_file_metadata,gr_spectrogram_plot,gr_spectrogram_plot_b,gr_spectrogram_plot_c,gr_spectrogram_plot_f,gr_spectrogram_plot_i,gr_spectrogram_plot_s,gr_time_plot_b,gr_time_plot_c,gr_time_plot_f,gr_time_plot_i,gr_time_plot_s,gr_time_raster_b,gr_time_raster_f,grcc,polar_channel_construction,tags_demo,uhd_fft,uhd_rx_cfile,uhd_rx_nogui,uhd_siggen,uhd_siggen_gui,usrp_flex,usrp_flex_all,usrp_flex_band name: gnurobbo version: 0.68+dfsg-3 commands: gnurobbo name: gnuserv version: 3.12.8-7 commands: dtemacs,editor,gnuattach,gnuattach.emacs,gnuclient,gnuclient.emacs,gnudoit,gnudoit.emacs,gnuserv name: gnushogi version: 1.4.2-3build2 commands: gnushogi name: gnusim8085 version: 1.3.7-1build1 commands: gnusim8085 name: gnustep-back-common version: 0.26.2-3 commands: gpbs name: gnustep-base-runtime version: 1.25.1-2ubuntu3 commands: HTMLLinker,autogsdoc,cvtenc,defaults,gdnc,gdomap,gspath,make_strings,pl2link,pldes,plget,plio,plmerge,plparse,plser,sfparse,xmlparse name: gnustep-common version: 2.7.0-3 commands: debugapp,openapp,opentool name: gnustep-examples version: 1:1.4.0-2 commands: Calculator,CurrencyConverter,GSTest,Ink,NSBrowserTest,NSImageTest,NSPanelTest,NSScreenTest,md5Digest name: gnustep-gui-runtime version: 0.26.2-3 commands: GSSpeechServer,gclose,gcloseall,gopen,make_services,say,set_show_service name: gnustep-make version: 2.7.0-3 commands: dh_gnustep,gnustep-config,gnustep-tests,gs_make,gsdh_gnustep name: gnutls-bin version: 3.5.18-1ubuntu1 commands: certtool,danetool,gnutls-cli,gnutls-cli-debug,gnutls-serv,ocsptool,p11tool,psktool,srptool name: go-bindata version: 3.0.7+git20151023.72.a0ff256-3 commands: go-bindata name: go-dep version: 0.3.2-2 commands: dep name: go-md2man version: 1.0.6+git20170603.6.23709d0+ds-1 commands: go-md2man name: go-mtpfs version: 0.0~git20150917.0.bc7c0f7-2 commands: go-mtpfs name: go2 version: 1.20121210-1 commands: go2 name: goaccess version: 1:1.2-3 commands: goaccess name: goattracker version: 2.73-1 commands: goattracker name: gob2 version: 2.0.20-2 commands: gob2 name: gobby version: 0.6.0~20170204~e5c2d1-3 commands: gobby,gobby-0.5,gobby-infinote name: gocode version: 20170907-2 commands: gocode name: gocr version: 0.49-2build1 commands: gocr name: gocr-tk version: 0.49-2build1 commands: gocr-tk name: gocryptfs version: 1.4.3-5build1 commands: gocryptfs,gocryptfs-xray name: gogglesmm version: 0.12.7-3build2 commands: gogglesmm name: gogoprotobuf version: 0.5-1 commands: protoc-gen-combo,protoc-gen-gofast,protoc-gen-gogo,protoc-gen-gogofast,protoc-gen-gogofaster,protoc-gen-gogoslick,protoc-gen-gogotypes,protoc-gen-gostring,protoc-min-version name: goi18n version: 1.10.0-1 commands: goi18n name: goiardi version: 0.11.7-1 commands: goiardi name: golang-cfssl version: 1.2.0+git20160825.89.7fb22c8-3 commands: cfssl,cfssl-bundle,cfssl-certinfo,cfssl-mkbundle,cfssl-newkey,cfssl-scan,cfssljson,multirootca name: golang-docker-credential-helpers version: 0.5.0-2 commands: docker-credential-secretservice name: golang-easyjson version: 0.0~git20161103.0.159cdb8-1 commands: easyjson name: golang-ginkgo-dev version: 1.2.0+git20161006.acfa16a-1 commands: ginkgo name: golang-github-dcso-bloom-cli version: 0.2.0-1 commands: bloom name: golang-github-pelletier-go-toml version: 1.0.1-1 commands: tomljson,tomll name: golang-github-ugorji-go-codec version: 1.1+git20180221.0076dd9-3 commands: codecgen name: golang-github-vmware-govmomi-dev version: 0.15.0-1 commands: hosts,networks,virtualmachines name: golang-github-xordataexchange-crypt version: 0.0.2+git20170626.21.b2862e3-1 commands: crypt-xordataexchange name: golang-glide version: 0.13.1-3 commands: glide name: golang-golang-x-tools version: 1:0.0~git20180222.0.f8f2f88+ds-1 commands: benchcmp,callgraph,compilebench,digraph,fiximports,getgo,go-contrib-init,godex,godoc,goimports,golang-bundle,golang-eg,golang-guru,golang-stress,gomvpkg,gorename,gotype,goyacc,html2article,present,ssadump,stringer,tip,toolstash name: golang-goprotobuf-dev version: 0.0~git20170808.0.1909bc2-2 commands: protoc-gen-go name: golang-grpc-gateway version: 1.3.0-1 commands: protoc-gen-grpc-gateway,protoc-gen-swagger name: golang-libnetwork version: 0.8.0-dev.2+git20170202.599.45b4086-3 commands: dnet,docker-proxy,ovrouter name: golang-petname version: 2.8-0ubuntu2 commands: golang-petname name: golang-redoctober version: 0.0~git20161017.0.78e9720-2 commands: redoctober,ro name: golang-rice version: 0.0~git20160123.0.0f3f5fd-3 commands: rice name: golang-statik version: 0.1.1-3 commands: golang-statik,statik name: goldencheetah version: 1:3.5~DEV1710-1.1build1 commands: GoldenCheetah name: goldendict version: 1.5.0~rc2+git20170908+ds-1 commands: goldendict name: goldeneye version: 1.2.0-3 commands: goldeneye name: golint version: 0.0+git20161013.3390df4-1 commands: golint name: golly version: 2.8-1 commands: bgolly,golly name: gom version: 0.30.2-8 commands: gom,gomconfig name: gomoku.app version: 1.2.9-3 commands: Gomoku name: goo version: 0.155-15 commands: g2c,goo name: goobook version: 1.9-3 commands: goobook name: goobox version: 3.4.2-8 commands: goobox name: google-cloud-print-connector version: 1.12-1 commands: gcp-connector-util,gcp-cups-connector name: google-compute-engine-oslogin version: 20180129+dfsg1-0ubuntu3 commands: google_authorized_keys,google_oslogin_control name: google-perftools version: 2.5-2.2ubuntu3 commands: google-pprof name: googler version: 3.5-1 commands: googler name: googletest version: 1.8.0-6 commands: gmock_gen name: gopass version: 1.2.0-1 commands: gopass name: gopchop version: 1.1.8-6 commands: gopchop,gtkspu,mpegcat name: gopher version: 3.0.16 commands: gopher,gophfilt name: goplay version: 0.9.1+nmu1ubuntu3 commands: goadmin,golearn,gonet,gooffice,goplay,gosafe,goscience,goweb name: gorm.app version: 1.2.23-1ubuntu4 commands: Gorm name: gosa version: 2.7.4+reloaded3-3 commands: gosa-encrypt-passwords,gosa-mcrypt-to-openssl-passwords,update-gosa name: gosa-desktop version: 2.7.4+reloaded3-3 commands: gosa name: gosa-dev version: 2.7.4+reloaded3-3 commands: dh-make-gosa,update-locale,update-pdf-help name: gostsum version: 1.1.0.1-1 commands: gost12sum,gostsum name: gosu version: 1.10-1 commands: gosu name: gource version: 0.47-1 commands: gource name: gourmet version: 0.17.4-6 commands: gourmet name: govendor version: 1.0.8+git20170720.29.84cdf58+ds-1 commands: govendor name: gox version: 0.3.0-2 commands: gox name: goxel version: 0.7.2-1 commands: goxel name: gozer version: 0.7.nofont.1-6build1 commands: gozer name: gozerbot version: 0.99.1-5 commands: gozerbot,gozerbot-init,gozerbot-start,gozerbot-stop,gozerbot-udp name: gpa version: 0.9.10-3 commands: gpa name: gpac version: 0.5.2-426-gc5ad4e4+dfsg5-3 commands: DashCast,MP42TS,MP4Box,MP4Client name: gpaint version: 0.3.3-6.1build1 commands: gpaint name: gpart version: 1:0.3-3 commands: gpart name: gpaste version: 3.28.0-2 commands: gpaste-client name: gpaw version: 1.3.0-2ubuntu1 commands: gpaw,gpaw-analyse-basis,gpaw-basis,gpaw-mpisim,gpaw-plot-parallel-timings,gpaw-python,gpaw-runscript,gpaw-setup,gpaw-upfplot name: gpdftext version: 0.1.6-3 commands: gpdftext name: gperf version: 3.1-1 commands: gperf name: gperiodic version: 3.0.2-1 commands: gperiodic name: gpg-remailer version: 3.04.03-1 commands: gpg-remailer name: gpgv-static version: 2.2.4-1ubuntu1 commands: gpgv-static name: gpgv1 version: 1.4.22-3ubuntu2 commands: gpgv1 name: gpgv2 version: 2.2.4-1ubuntu1 commands: gpgv2 name: gphoto2 version: 2.5.15-2 commands: gphoto2 name: gphotofs version: 0.5-5 commands: gphotofs name: gpick version: 0.2.5+git20161221-1build1 commands: gpick name: gpicview version: 0.2.5-2 commands: gpicview name: gpiod version: 1.0-1 commands: gpiodetect,gpiofind,gpioget,gpioinfo,gpiomon,gpioset name: gplanarity version: 17906-6 commands: gplanarity name: gplaycli version: 0.2.10-1 commands: gplaycli name: gplcver version: 2.12a-1.1build1 commands: cver name: gpm version: 1.20.7-5 commands: gpm,gpm-microtouch-setup,gpm-mouse-test,mev name: gpodder version: 3.10.1-1 commands: gpo,gpodder,gpodder-migrate2tres name: gpp version: 2.24-3build1 commands: gpp name: gpr version: 0.15deb-2build1 commands: gpr name: gprbuild version: 2017-5 commands: gprbuild,gprclean,gprconfig,gprinstall,gprls,gprname,gprslave name: gpredict version: 2.0-4 commands: gpredict name: gprename version: 20140325-1 commands: gprename name: gprompter version: 0.9.1-2.1ubuntu4 commands: gprompter name: gpsbabel version: 1.5.4-2 commands: gpsbabel name: gpscorrelate version: 1.6.1-5 commands: gpscorrelate name: gpscorrelate-gui version: 1.6.1-5 commands: gpscorrelate-gui name: gpsd version: 3.17-5 commands: gpsd,gpsdctl,ppscheck name: gpsd-clients version: 3.17-5 commands: cgps,gegps,gps2udp,gpsctl,gpsdecode,gpsmon,gpspipe,gpxlogger,lcdgps,ntpshmmon,xgps,xgpsspeed name: gpsim version: 0.30.0-1 commands: gpsim name: gpsman version: 6.4.4.2-2 commands: gpsman,mb2gmn,mou2gmn name: gpsprune version: 18.6-2 commands: gpsprune name: gpstrans version: 0.41-6 commands: gpstrans name: gpt version: 1.1-4 commands: gpt name: gputils version: 1.4.0-0.1build1 commands: gpasm,gpdasm,gplib,gplink,gpstrip,gpvc,gpvo name: gpw version: 0.0.19940601-9build1 commands: gpw name: gpx version: 2.5.2-3 commands: gpx,s3gdump name: gpx2shp version: 0.71.0-4build1 commands: gpx2shp name: gpxinfo version: 1.1.2-1 commands: gpxinfo name: gpxviewer version: 0.5.2-1 commands: gpxviewer name: gqrx-sdr version: 2.9-2 commands: gqrx name: gquilt version: 0.25-5 commands: gquilt name: gr-air-modes version: 0.0.2.c29eb60-2ubuntu1 commands: modes_gui,modes_rx name: gr-gsm version: 0.41.2-1 commands: grgsm_capture,grgsm_channelize,grgsm_decode,grgsm_livemon,grgsm_livemon_headless,grgsm_scanner name: gr-osmosdr version: 0.1.4-14build1 commands: osmocom_fft,osmocom_siggen,osmocom_siggen_nogui,osmocom_spectrum_sense name: grabc version: 1.1-2build1 commands: grabc name: grabcd-encode version: 0009-1 commands: grabcd-encode name: grabcd-rip version: 0009-1 commands: grabcd-rip,grabcd-scan name: grabserial version: 1.9.6-1 commands: grabserial name: grace version: 1:5.1.25-5build1 commands: convcal,fdf2fit,grace,grace-thumbnailer,gracebat,grconvert,update-grace-fonts,xmgrace name: gradle version: 3.4.1-7ubuntu1 commands: gradle name: gradm2 version: 3.1~201701031918-2build1 commands: gradm2,gradm_pam,grlearn name: grads version: 3:2.2.0-2 commands: bufrscan,grads,grib2scan,gribmap,gribscan,stnmap name: grafx2 version: 2.4+git20180105-1 commands: grafx2 name: grail-tools version: 3.1.0+16.04.20160125-0ubuntu2 commands: grail-test-3-1,grail-test-atomic,grail-test-edge,grail-test-propagation name: gramadoir version: 0.7-4 commands: gram-ga,groo-ga name: gramofile version: 1.6-11 commands: gramofile name: gramophone2 version: 0.8.13a-3ubuntu2 commands: gramophone2 name: gramps version: 4.2.8~dfsg-1 commands: gramps name: granatier version: 4:17.12.3-0ubuntu1 commands: granatier name: granite-demo version: 0.5+ds-1 commands: granite-demo name: granule version: 1.4.0-7-9 commands: granule name: grap version: 1.45-1 commands: grap name: graphdefang version: 2.83-1 commands: graphdefang.pl name: graphicsmagick version: 1.3.28-2 commands: gm name: graphicsmagick-imagemagick-compat version: 1.3.28-2 commands: animate,composite,conjure,convert,display,identify,import,mogrify,montage name: graphicsmagick-libmagick-dev-compat version: 1.3.28-2 commands: Magick++-config,Magick-config,Wand-config name: graphite-carbon version: 1.0.2-1 commands: carbon-aggregator,carbon-cache,carbon-client,carbon-relay,validate-storage-schemas name: graphite-web version: 1.0.2+debian-2 commands: graphite-build-search-index,graphite-manage name: graphlan version: 1.1-3 commands: graphlan,graphlan_annotate name: graphmonkey version: 1.7-4 commands: graphmonkey name: graphviz version: 2.40.1-2 commands: acyclic,bcomps,ccomps,circo,cluster,diffimg,dijkstra,dot,dot2gxl,dot_builtins,dotty,edgepaint,fdp,gc,gml2gv,graphml2gv,gv2gml,gv2gxl,gvcolor,gvgen,gvmap,gvmap.sh,gvpack,gvpr,gxl2dot,gxl2gv,lefty,lneato,mingle,mm2gv,neato,nop,osage,patchwork,prune,sccmap,sfdp,tred,twopi,unflatten,vimdot name: grass-core version: 7.4.0-1 commands: grass,grass74,x-grass,x-grass74 name: gravit version: 0.5.1+dfsg-2build1 commands: gravit name: gravitation version: 3+dfsg1-5 commands: Gravitation,gravitation name: gravitywars version: 1.102-34build1 commands: gravitywars name: graywolf version: 0.1.4+20170307gite1bf319-2build1 commands: graywolf name: grc version: 1.11.1-1 commands: grc,grcat name: grcompiler version: 4.2-6build3 commands: gdlpp,grcompiler name: grdesktop version: 0.23+d040330-3build1 commands: grdesktop name: greed version: 3.10-1build2 commands: greed name: greenbone-security-assistant version: 7.0.2+dfsg.1-2build1 commands: gsad name: grepcidr version: 2.0-1build1 commands: grepcidr name: grepmail version: 5.3033-8 commands: grepmail name: gresistor version: 0.0.1-0ubuntu3 commands: gresistor name: gresolver version: 0.0.5-6 commands: gresolver name: gretl version: 2017d-3build1 commands: gretl,gretl_x11,gretlcli,gretlmpi name: greylistd version: 0.8.8.7 commands: greylist,greylistd,greylistd-setup-exim4 name: grfcodec version: 6.0.6-1 commands: grfcodec,grfid,grfstrip,nforenum name: grhino version: 0.16.1-4 commands: gtp-rhino name: gri version: 2.12.26-1build1 commands: gri,gri-2.12.26,gri_merge,gri_unpage name: gridengine-client version: 8.1.9+dfsg-7build1 commands: qacct,qalter,qconf,qdel,qhold,qhost,qlogin,qmake_sge,qmod,qping,qquota,qrdel,qresub,qrls,qrsh,qrstat,qrsub,qsched,qselect,qsh,qstat,qstatus,qsub,qtcsh name: gridengine-common version: 8.1.9+dfsg-7build1 commands: sge-disable-submits,sge-enable-submits name: gridengine-exec version: 8.1.9+dfsg-7build1 commands: sge_coshepherd,sge_execd,sge_shepherd name: gridengine-master version: 8.1.9+dfsg-7build1 commands: sge_qmaster,sge_shadowd name: gridengine-qmon version: 8.1.9+dfsg-7build1 commands: qmon name: gridlock.app version: 1.10-4build3 commands: Gridlock name: gridsite-clients version: 3.0.0~20180202git2fdbc6f-1build1 commands: findproxyfile,htcp,htfind,htll,htls,htmkdir,htmv,htping,htproxydestroy,htproxyinfo,htproxyput,htproxyrenew,htproxytime,htproxyunixtime,htrm,urlencode name: grig version: 0.8.1-2 commands: grig name: grinder version: 0.5.4-4 commands: average_genome_size,change_paired_read_orientation,grinder name: gringo version: 5.2.2-5 commands: clingo,gringo,iclingo,lpconvert,oclingo,reify name: gringotts version: 1.2.10-3 commands: gringotts name: grip version: 4.2.0-3 commands: grip name: grisbi version: 1.0.2-3build1 commands: grisbi name: grml-debootstrap version: 0.81 commands: grml-debootstrap name: groff version: 1.22.3-10 commands: addftinfo,afmtodit,chem,eqn2graph,gdiffmk,glilypond,gperl,gpinyin,grap2graph,grn,grodvi,groffer,grolbp,grolj4,gropdf,gxditview,hpftodit,indxbib,lkbib,lookbib,mmroff,pdfmom,pdfroff,pfbtops,pic2graph,post-grohtml,pre-grohtml,refer,roff2dvi,roff2html,roff2pdf,roff2ps,roff2text,roff2x,tfmtodit,xtotroff name: grok version: 1.20110708.1-4.3ubuntu1 commands: discogrok,grok name: grokevt version: 0.5.0-1 commands: grokevt-addlog,grokevt-builddb,grokevt-dumpmsgs,grokevt-findlogs,grokevt-parselog,grokevt-ripdll name: grokmirror version: 1.0.0-1 commands: grok-dumb-pull,grok-fsck,grok-manifest,grok-pull name: gromacs version: 2018.1-1 commands: demux,gmx,gmx_d,xplor2gmx name: gromacs-mpich version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.mpich,mdrun_mpi_d,mdrun_mpi_d.mpich name: gromacs-openmpi version: 2018.1-1 commands: mdrun_mpi,mdrun_mpi.openmpi,mdrun_mpi_d,mdrun_mpi_d.openmpi name: gromit version: 20041213-9build1 commands: gromit name: gromit-mpx version: 1.2-2 commands: gromit-mpx name: groonga-bin version: 8.0.0-1 commands: grndb,groonga,groonga-benchmark name: groonga-httpd version: 8.0.0-1 commands: groonga-httpd,groonga-httpd-restart name: groonga-plugin-suggest version: 8.0.0-1 commands: groonga-suggest-create-dataset,groonga-suggest-httpd,groonga-suggest-learner name: groovebasin version: 1.4.0-1 commands: groovebasin name: grop version: 2:0.10-1.1 commands: grop name: gross version: 1.0.2-4build1 commands: grossd name: groundhog version: 1.4-10 commands: groundhog name: growisofs version: 7.1-12 commands: dvd+rw-format,growisofs name: growl-for-linux version: 0.8.5-2 commands: gol name: grpn version: 1.4.1-1 commands: grpn name: grr-client-templates-installer version: 3.1.0.2+dfsg-4 commands: update-grr-client-templates name: grr-server version: 3.1.0.2+dfsg-4 commands: grr_admin_ui,grr_config_updater,grr_console,grr_dataserver,grr_end_to_end_tests,grr_export,grr_front_end,grr_fuse,grr_run_tests,grr_run_tests_gui,grr_server,grr_worker name: grr.app version: 1.0-1build3 commands: Grr name: grsync version: 1.2.6-1 commands: grsync,grsync-batch name: grun version: 0.9.3-2 commands: grun name: gsalliere version: 0.10-3 commands: gsalliere name: gsasl version: 1.8.0-8ubuntu3 commands: gsasl name: gscan2pdf version: 2.1.0-1 commands: gscan2pdf name: gscanbus version: 0.8-2 commands: gscanbus name: gsequencer version: 1.4.24-1ubuntu2 commands: gsequencer,midi2xml name: gsetroot version: 1.1-3 commands: gsetroot name: gshutdown version: 0.2-0ubuntu9 commands: gshutdown name: gsimplecal version: 2.1-1 commands: gsimplecal name: gsl-bin version: 2.4+dfsg-6 commands: gsl-histogram,gsl-randist name: gsm-utils version: 1.10+20120414.gita5e5ae9a-0.3build1 commands: gsmctl,gsmpb,gsmsendsms,gsmsiectl,gsmsiexfer,gsmsmsd,gsmsmsrequeue,gsmsmsspool,gsmsmsstore name: gsm0710muxd version: 1.13-3build1 commands: gsm0710muxd name: gsmartcontrol version: 1.1.3-1 commands: gsmartcontrol,gsmartcontrol-root name: gsmc version: 1.2.1-1 commands: gsmc name: gsoap version: 2.8.60-2build1 commands: soapcpp2,wsdl2h name: gsound-tools version: 1.0.2-2 commands: gsound-play name: gspiceui version: 1.1.00+dfsg-2 commands: gspiceui name: gssdp-tools version: 1.0.2-2 commands: gssdp-device-sniffer name: gssproxy version: 0.8.0-1 commands: gssproxy name: gst-omx-listcomponents version: 1.12.4-1 commands: gst-omx-listcomponents name: gst123 version: 0.3.5-1 commands: gst123 name: gsutil version: 3.1-1 commands: gsutil name: gt5 version: 1.5.0~20111220+bzr29-2 commands: gt5 name: gtamsanalyzer.app version: 0.42-7build4 commands: GTAMSAnalyzer name: gtans version: 1.99.0-2build1 commands: gtans name: gtester2xunit version: 0.1daily13.06.05-0ubuntu2 commands: gtester2xunit name: gtg version: 0.3.1-4 commands: gtcli,gtg,gtg_new_task name: gthumb version: 3:3.6.1-1 commands: gthumb name: gtick version: 0.5.4-1build1 commands: gtick name: gtimelog version: 0.11-4 commands: gtimelog name: gtimer version: 2.0.0-1.2build1 commands: gtimer name: gtk-chtheme version: 0.3.1-5ubuntu2 commands: gtk-chtheme name: gtk-doc-tools version: 1.27-3 commands: gtkdoc-check,gtkdoc-depscan,gtkdoc-fixxref,gtkdoc-mkdb,gtkdoc-mkhtml,gtkdoc-mkman,gtkdoc-mkpdf,gtkdoc-rebase,gtkdoc-scan,gtkdoc-scangobj,gtkdocize name: gtk-gnutella version: 1.1.8-2 commands: gtk-gnutella name: gtk-recordmydesktop version: 0.3.8-4.1ubuntu1 commands: gtk-recordmydesktop name: gtk-sharp2-examples version: 2.12.40-2 commands: gtk-sharp2-examples-list name: gtk-sharp2-gapi version: 2.12.40-2 commands: gapi2-codegen,gapi2-fixup,gapi2-parser name: gtk-sharp3-gapi version: 2.99.3-2 commands: gapi3-codegen,gapi3-fixup,gapi3-parser name: gtk-theme-switch version: 2.1.0-5build1 commands: gtk-theme-switch2 name: gtk-vector-screenshot version: 0.3.2.1-2build1 commands: take-vector-screenshot name: gtk2hs-buildtools version: 0.13.3.1-1 commands: gtk2hsC2hs,gtk2hsHookGenerator,gtk2hsTypeGen name: gtk3-nocsd version: 3-1ubuntu1 commands: gtk3-nocsd name: gtkam version: 1.0-3 commands: gtkam name: gtkatlantic version: 0.6.2-2 commands: gtkatlantic name: gtkballs version: 3.1.5-11 commands: gtkballs name: gtkboard version: 0.11pre0+cvs.2003.11.02-7build1 commands: gtkboard name: gtkcookie version: 0.4-7 commands: gtkcookie name: gtkguitune version: 0.8-6ubuntu3 commands: gtkguitune name: gtkhash version: 1.1.1-2 commands: gtkhash name: gtklick version: 0.6.4-5 commands: gtklick name: gtklp version: 1.3.1-0.1build1 commands: gtklp,gtklpq name: gtkmorph version: 1:20140707+nmu2build1 commands: gtkmorph name: gtkorphan version: 0.4.4-2 commands: gtkorphan name: gtkperf version: 0.40+ds-2build1 commands: gtkperf name: gtkpod version: 2.1.5-6 commands: gtkpod name: gtkpool version: 0.5.0-9build1 commands: gtkpool name: gtkterm version: 0.99.7+git9d63182-1 commands: gtkterm name: gtkwave version: 3.3.86-1 commands: evcd2vcd,fst2vcd,fstminer,ghwdump,gtkwave,lxt2miner,lxt2vcd,rtlbrowse,shmidcat,twinwave,vcd2fst,vcd2lxt,vcd2lxt2,vcd2vzt,vermin,vzt2vcd,vztminer name: gtml version: 3.5.4-23 commands: gtml name: gtranscribe version: 0.7.1-2 commands: gtranscribe name: gtranslator version: 2.91.7-5 commands: gtranslator name: gtrayicon version: 1.1-1build1 commands: gtrayicon name: gtypist version: 2.9.5-3 commands: gtypist,typefortune name: guacd version: 0.9.9-2build1 commands: guacd name: guake version: 3.0.5-1 commands: guake name: guake-indicator version: 1.1-2build1 commands: guake-indicator name: gucharmap version: 1:10.0.4-1 commands: charmap,gnome-character-map,gucharmap name: gucumber version: 0.0~git20160715.0.71608e2-1 commands: gucumber name: guessnet version: 0.56build1 commands: guessnet,guessnet-ifupdown name: guestfsd version: 1:1.36.13-1ubuntu3 commands: guestfsd name: guetzli version: 1.0.1-1 commands: guetzli name: gufw version: 18.04.0-0ubuntu1 commands: gufw,gufw-pkexec name: gui-apt-key version: 0.4-2.2 commands: gak,gui-apt-key name: guidedog version: 1.3.0-1 commands: guidedog name: guile-2.2 version: 2.2.3+1-3build1 commands: guile,guile-2.2 name: guile-2.2-dev version: 2.2.3+1-3build1 commands: guild,guile-config,guile-snarf,guile-tools name: guile-gnome2-glib version: 2.16.4-5 commands: guile-gnome-2 name: guilt version: 0.36-2 commands: guilt name: guitarix version: 0.36.1-1 commands: guitarix name: gulp version: 3.9.1-6 commands: gulp name: gummi version: 0.6.6-4 commands: gummi name: guncat version: 1.01.02-1build1 commands: guncat name: gunicorn version: 19.7.1-4 commands: gunicorn,gunicorn_paster name: gunicorn3 version: 19.7.1-4 commands: gunicorn3,gunicorn3_paster name: gupnp-dlna-tools version: 0.10.5-3 commands: gupnp-dlna-info,gupnp-dlna-ls-profiles name: gupnp-tools version: 0.8.14-1 commands: gssdp-discover,gupnp-av-cp,gupnp-network-light,gupnp-universal-cp,gupnp-upload name: guvcview version: 2.0.5+debian-1 commands: guvcview name: gv version: 1:3.7.4-1build1 commands: gv,gv-update-userconfig name: gvb version: 1.4-1build1 commands: gvb name: gvidm version: 0.8-12build1 commands: gvidm name: gvncviewer version: 0.7.2-1 commands: gvnccapture,gvncviewer name: gvpe version: 3.0-1ubuntu1 commands: gvpe,gvpectrl name: gwaei version: 3.6.2-3build1 commands: gwaei,waei name: gwakeonlan version: 0.5.1-1.2 commands: gwakeonlan name: gwama version: 2.2.2+dfsg-1 commands: GWAMA name: gwaterfall version: 0.1-5.1build1 commands: waterfall name: gwave version: 20170109-1 commands: gwave,gwave-exec,gwaverepl,sp2sp,sweepsplit name: gwc version: 0.22.01-1 commands: gtk-wave-cleaner name: gweled version: 0.9.1-5 commands: gweled name: gwenhywfar-tools version: 4.20.0-1 commands: gct-tool,mklistdoc,typemaker,typemaker2,xmlmerge name: gwenview version: 4:17.12.3-0ubuntu1 commands: gwenview,gwenview_importer name: gwhois version: 20120626-1.2 commands: gwhois name: gworkspace.app version: 0.9.4-1build1 commands: GWorkspace,Recycler,ddbd,fswatcher,lsfupdater,searchtool,wopen name: gworldclock version: 1.4.4-11 commands: gworldclock name: gwsetup version: 6.08+git20161106+dfsg-2 commands: gwsetup name: gwyddion version: 2.50-2 commands: gwyddion,gwyddion-thumbnailer name: gxkb version: 0.8.0-1 commands: gxkb name: gxmessage version: 3.4.3-1 commands: gmessage,gxmessage name: gxmms2 version: 0.7.1-3build1 commands: gxmms2 name: gxneur version: 0.20.0-1 commands: gxneur name: gxtuner version: 3.0-1 commands: gxtuner name: gyoto-bin version: 1.2.0-4 commands: gyoto,gyoto-mpi-worker.6 name: gyp version: 0.1+20150913git1f374df9-1ubuntu1 commands: gyp name: gyrus version: 0.3.12-0ubuntu1 commands: gyrus name: gzrt version: 0.8-1 commands: gzrecover name: h2o version: 2.2.4+dfsg-1build1 commands: h2o name: h5utils version: 1.13-2 commands: h4fromh5,h5fromh4,h5fromtxt,h5math,h5topng,h5totxt,h5tovtk name: hachu version: 0.21-7-g1c1f14a-2 commands: hachu name: hackrf version: 2018.01.1-2 commands: hackrf_cpldjtag,hackrf_debug,hackrf_info,hackrf_spiflash,hackrf_sweep,hackrf_transfer name: hadori version: 1.0-1build1 commands: hadori name: halibut version: 1.2-1 commands: halibut name: hamexam version: 1.5.0-1 commands: hamexam name: hamfax version: 0.8.1-1build2 commands: hamfax name: handlebars version: 3:4.0.10-5 commands: handlebars name: hannah version: 1.0-3build1 commands: hannah name: hapolicy version: 1.35-4 commands: hapolicy name: happy version: 1.19.8-1 commands: happy name: haproxy-log-analysis version: 2.0~b0-1 commands: haproxy_log_analysis name: haproxyctl version: 1.3.0-2 commands: haproxyctl name: hardinfo version: 0.5.1+git20180227-1 commands: hardinfo name: hardlink version: 0.3.0build1 commands: hardlink name: harminv version: 1.4-2 commands: harminv name: harvest-tools version: 1.3-1build1 commands: harvesttools name: harvid version: 0.8.2-1 commands: harvid name: hasciicam version: 1.1.2-1ubuntu3 commands: hasciicam name: haserl version: 0.9.35-2 commands: haserl name: hash-slinger version: 2.7-1 commands: ipseckey,openpgpkey,sshfp,tlsa name: hashalot version: 0.3-8 commands: hashalot,rmd160,sha256,sha384,sha512 name: hashcash version: 1.21-2 commands: hashcash name: hashdeep version: 4.4-4 commands: hashdeep,md5deep,sha1deep,sha256deep,tigerdeep,whirlpooldeep name: hashid version: 3.1.4-2 commands: hashid name: hashrat version: 1.8.12+dfsg-1 commands: hashrat name: haskell-cracknum-utils version: 1.9-1 commands: crackNum name: haskell-debian-utils version: 3.93.2-1build1 commands: apt-get-build-depends,debian-report,fakechanges name: haskell-derive-utils version: 2.6.3-1build1 commands: derive name: haskell-devscripts-minimal version: 0.13.3 commands: dh_haskell_blurbs,dh_haskell_depends,dh_haskell_extra_depends,dh_haskell_provides,dh_haskell_shlibdeps name: haskell-lazy-csv-utils version: 0.5.1-1 commands: csvSelect name: haskell-raaz-utils version: 0.1.1-2build1 commands: raaz name: haskell-stack version: 1.5.1-1 commands: stack name: hasktags version: 0.69.3-1 commands: hasktags name: hatari version: 2.1.0+dfsg-1 commands: atari-convert-dir,atari-hd-image,gst2ascii,hatari,hatari_profile,hatariui,hmsa,zip2st name: hatop version: 0.7.7-1 commands: hatop name: haveged version: 1.9.1-6 commands: haveged name: havp version: 0.92a-4build2 commands: havp name: haxe version: 1:3.4.4-2 commands: haxe,haxelib name: haxml version: 1:1.25.4-1 commands: Canonicalise,DtdToHaskell,MkOneOf,Validate,Xtract name: hdate version: 1.6.02-1build1 commands: hcal,hdate name: hdate-applet version: 0.15.11-2build1 commands: ghcal,ghcal-he name: hdav version: 1.3.1-3build3 commands: hdav name: hddemux version: 0.3-1ubuntu1 commands: hddemux name: hddtemp version: 0.3-beta15-53 commands: hddtemp name: hdevtools version: 0.1.6.1-1 commands: hdevtools name: hdf-compass version: 0.6.0-1 commands: HDFCompass name: hdf4-tools version: 4.2.13-2 commands: gif2hdf,h4cc,h4fc,h4redeploy,hdf24to8,hdf2gif,hdf2jpeg,hdf8to24,hdfcomp,hdfed,hdfimport,hdfls,hdfpack,hdftopal,hdftor8,hdfunpac,hdiff,hdp,hrepack,jpeg2hdf,ncdump-hdf,ncgen-hdf,paltohdf,r8tohdf,ristosds,vmake,vshow name: hdf5-helpers version: 1.10.0-patch1+docs-4 commands: h5c++,h5cc,h5fc name: hdf5-tools version: 1.10.0-patch1+docs-4 commands: gif2h5,h52gif,h5copy,h5debug,h5diff,h5dump,h5import,h5jam,h5ls,h5mkgrp,h5perf_serial,h5redeploy,h5repack,h5repart,h5stat,h5unjam name: hdfview version: 2.11.0+dfsg-3 commands: hdfview name: hdhomerun-config version: 20180327-1 commands: hdhomerun_config name: hdhomerun-config-gui version: 20161117-0ubuntu3 commands: hdhomerun_config_gui name: hdmi2usb-mode-switch version: 0.0.1-2 commands: atlys-find-board,atlys-manage-firmware,atlys-mode-switch,hdmi2usb-find-board,hdmi2usb-manage-firmware,hdmi2usb-mode-switch,opsis-find-board,opsis-manage-firmware,opsis-mode-switch name: hdup version: 2.0.14-4ubuntu2 commands: hdup name: headache version: 1.03-27build1 commands: headache name: hearse version: 1.5-8.3 commands: bones-info,hearse name: heartbleeder version: 0.1.1-7 commands: heartbleeder name: heat-cfntools version: 1.4.2-0ubuntu1 commands: cfn-create-aws-symlinks,cfn-get-metadata,cfn-hup,cfn-init,cfn-push-stats,cfn-signal name: hebcal version: 3.5-2.1 commands: hebcal name: heimdal-clients version: 7.5.0+dfsg-1 commands: afslog,gsstool,heimtools,hxtool,kadmin,kadmin.heimdal,kdestroy,kdestroy.heimdal,kdigest,kf,kgetcred,kimpersonate,kinit,kinit.heimdal,klist,klist.heimdal,kpagsh,kpasswd,kpasswd.heimdal,ksu,ksu.heimdal,kswitch,kswitch.heimdal,ktuti,ktutil.heimdal,otp,otpprint,pags,string2key,verify_krb5_conf name: heimdal-kcm version: 7.5.0+dfsg-1 commands: kcm name: heimdal-kdc version: 7.5.0+dfsg-1 commands: digest-service,hprop,hpropd,iprop-log,ipropd-master,ipropd-slave,kstash name: heimdall-flash version: 1.4.1-2 commands: heimdall name: heimdall-flash-frontend version: 1.4.1-2 commands: heimdall-frontend name: hellfire version: 0.0~git20170319.c2272fb-1 commands: hellfire name: hello-traditional version: 2.10-3build1 commands: hello name: help2man version: 1.47.6 commands: help2man name: helpman version: 2.1-1 commands: helpman name: helpviewer.app version: 0.3-8build3 commands: HelpViewer name: herbstluftwm version: 0.7.0-2 commands: dmenu_run_hlwm,herbstclient,herbstluftwm,x-window-manager name: hercules version: 3.13-1 commands: cckd2ckd,cckdcdsk,cckdcomp,cckddiag,cckdswap,cfba2fba,ckd2cckd,dasdcat,dasdconv,dasdcopy,dasdinit,dasdisup,dasdlist,dasdload,dasdls,dasdpdsu,dasdseq,dmap2hrc,fba2cfba,hercifc,hercules,hetget,hetinit,hetmap,hetupd,tapecopy,tapemap,tapesplt name: herculesstudio version: 1.5.0-2build1 commands: HerculesStudio name: herisvm version: 0.7.0-1 commands: heri-eval,heri-split,heri-stat,heri-stat-addons name: heroes version: 0.21-16 commands: heroes,heroeslvl name: herold version: 8.0.1-1 commands: herold name: hershey-font-gnuplot version: 0.1-1build1 commands: hershey-font-gnuplot name: hesiod version: 3.2.1-3build1 commands: hesinfo name: hevea version: 2.30-1 commands: bibhva,esponja,hacha,hevea,imagen name: hex-a-hop version: 1.1.0+git20140926-1 commands: hex-a-hop name: hexalate version: 1.1.2-1 commands: hexalate name: hexbox version: 1.5.0-5 commands: hexbox name: hexchat version: 2.14.1-2 commands: hexchat name: hexcompare version: 1.0.4-1 commands: hexcompare name: hexcurse version: 1.58-1.1 commands: hexcurse name: hexdiff version: 0.0.53-0ubuntu3 commands: hexdiff name: hexec version: 0.2.1-3build1 commands: hexec name: hexedit version: 1.4.2-1 commands: hexedit name: hexer version: 1.0.3-1 commands: hexer name: hexxagon version: 1.0pl1-3.1build2 commands: hexxagon name: hfsprogs version: 332.25-11build1 commands: fsck.hfs,fsck.hfsplus,mkfs.hfs,mkfs.hfsplus name: hfst version: 3.13.0~r3461-2 commands: hfst-affix-guessify,hfst-apertium-proc,hfst-calculate,hfst-compare,hfst-compose,hfst-compose-intersect,hfst-concatenate,hfst-conjunct,hfst-determinise,hfst-determinize,hfst-disjunct,hfst-edit-metadata,hfst-expand,hfst-expand-equivalences,hfst-flookup,hfst-format,hfst-fst2fst,hfst-fst2strings,hfst-fst2txt,hfst-grep,hfst-guess,hfst-guessify,hfst-head,hfst-info,hfst-intersect,hfst-invert,hfst-lexc,hfst-lookup,hfst-minimise,hfst-minimize,hfst-minus,hfst-multiply,hfst-name,hfst-optimised-lookup,hfst-optimized-lookup,hfst-pair-test,hfst-pmatch,hfst-pmatch2fst,hfst-proc,hfst-proc2,hfst-project,hfst-prune-alphabet,hfst-push-weights,hfst-regexp2fst,hfst-remove-epsilons,hfst-repeat,hfst-reverse,hfst-reweight,hfst-reweight-tagger,hfst-sfstpl2fst,hfst-shuffle,hfst-split,hfst-strings2fst,hfst-substitute,hfst-subtract,hfst-summarise,hfst-summarize,hfst-tag,hfst-tail,hfst-tokenise,hfst-tokenize,hfst-traverse,hfst-twolc,hfst-txt2fst,hfst-union,hfst-xfst name: hfsutils-tcltk version: 3.2.6-14 commands: hfs,hfssh,xhfs name: hg-fast-export version: 20140308-1 commands: git-hg,hg-fast-export,hg-reset name: hgview-common version: 1.9.0-1.1 commands: hgview name: hibernate version: 2.0+15+g88d54a8-1 commands: hibernate,hibernate-disk,hibernate-ram name: hidrd version: 0.2.0-11 commands: hidrd-convert name: hiera version: 3.2.0-2 commands: hiera name: hiera-eyaml version: 2.1.0-1 commands: eyaml name: hierarchyviewer version: 2.0.0-1 commands: hierarchyviewer name: higan version: 106-2 commands: higan,icarus name: highlight version: 3.41-1 commands: highlight name: hiki version: 1.0.0-2 commands: hikisetup name: hilive version: 1.1-1 commands: hilive,hilive-build name: hime version: 0.9.10+git20170427+dfsg1-2build4 commands: hime,hime-cin2gtab,hime-env,hime-exit,hime-gb-toggle,hime-gtab-merge,hime-gtab2cin,hime-juyin-learn,hime-kbm-toggle,hime-message,hime-phoa2d,hime-phod2a,hime-setup,hime-sim,hime-sim2trad,hime-trad,hime-trad2sim,hime-ts-edit,hime-tsa2d32,hime-tsd2a32,hime-tsin2gtab-phrase,hime-tslearn name: hindsight version: 0.12.7-1 commands: hindsight,hindsight_cli name: hitch version: 1.4.4-1build1 commands: hitch name: hitori version: 3.22.4-1 commands: hitori name: hledger version: 1.2-1build3 commands: hledger name: hledger-interest version: 1.5.1-1 commands: hledger-interest name: hledger-ui version: 1.2-1 commands: hledger-ui name: hledger-web version: 1.2-1 commands: hledger-web name: hlins version: 0.39-23 commands: hlins name: hlint version: 2.0.11-1build1 commands: hlint name: hmmer version: 3.1b2+dfsg-5ubuntu1 commands: alimask,hmmalign,hmmbuild,hmmc2,hmmconvert,hmmemit,hmmerfm-exactmatch,hmmfetch,hmmlogo,hmmpgmd,hmmpress,hmmscan,hmmsearch,hmmsim,hmmstat,jackhmmer,makehmmerdb,nhmmer,nhmmscan,phmmer name: hmmer2 version: 2.3.2+dfsg-5 commands: hmm2align,hmm2build,hmm2calibrate,hmm2convert,hmm2emit,hmm2fetch,hmm2index,hmm2pfam,hmm2search name: hmmer2-pvm version: 2.3.2+dfsg-5 commands: hmm2calibrate-pvm,hmm2pfam-pvm,hmm2search-pvm name: hnb version: 1.9.18+ds1-2 commands: hnb name: ho22bus version: 0.9.1-2ubuntu2 commands: ho22bus name: hobbit-plugins version: 20170628 commands: xynagios name: hocr-gtk version: 0.10.18-2 commands: hocr-gtk,sane-pygtk name: hodie version: 1.5-2build1 commands: hodie name: hoichess version: 0.21.0-2 commands: hoichess,hoixiangqi name: hol-light version: 20170706-0ubuntu4 commands: hol-light name: hol88 version: 2.02.19940316-35 commands: hol88 name: holdingnuts version: 0.0.5-4 commands: holdingnuts name: holdingnuts-server version: 0.0.5-4 commands: holdingnuts-server name: holes version: 0.1-2 commands: holes name: hollywood version: 1.14-0ubuntu1 commands: hollywood name: holotz-castle version: 1.3.14-9 commands: holotz-castle name: holotz-castle-editor version: 1.3.14-9 commands: holotz-castle-editor name: homebank version: 5.1.6-2 commands: homebank name: homesick version: 1.1.6-2 commands: homesick name: hoogle version: 5.0.14+dfsg1-1build2 commands: hoogle,update-hoogle name: hopenpgp-tools version: 0.20-1 commands: hkt,hokey,hot name: horgand version: 1.14-7 commands: horgand name: hostapd version: 2:2.6-15ubuntu2 commands: hostapd,hostapd_cli name: hoteldruid version: 2.2.2-1 commands: hoteldruid-launcher name: hothasktags version: 0.3.8-1 commands: hothasktags name: hotswap-gui version: 0.4.0-15build1 commands: xhotswap name: hotswap-text version: 0.4.0-15build1 commands: hotswap name: hovercraft version: 2.1-3 commands: hovercraft name: how-can-i-help version: 16 commands: how-can-i-help name: howdoi version: 1.1.9-1 commands: howdoi name: hoz version: 1.65-2build1 commands: hoz name: hoz-gui version: 1.65-2build1 commands: ghoz name: hp-search-mac version: 0.1.4 commands: hp-search-mac name: hp2xx version: 3.4.4-10.1build1 commands: hp2xx name: hp48cc version: 1.3-5 commands: hp48cc name: hpack version: 0.18.1-1build2 commands: hpack name: hpanel version: 0.3.2-4 commands: hpanel name: hpcc version: 1.5.0-1 commands: hpcc name: hping3 version: 3.a2.ds2-7 commands: hping3 name: hplip-gui version: 3.17.10+repack0-5 commands: hp-check-plugin,hp-devicesettings,hp-diagnose_plugin,hp-diagnose_queues,hp-fab,hp-faxsetup,hp-linefeedcal,hp-makecopies,hp-pqdiag,hp-print,hp-printsettings,hp-sendfax,hp-systray,hp-toolbox,hp-wificonfig name: hpsockd version: 0.17build3 commands: hpsockd,sdc name: hsbrainfuck version: 0.1.0.3-3build1 commands: hsbrainfuck name: hscolour version: 1.24.2-1 commands: HsColour,hscolour name: hsetroot version: 1.0.2-5build1 commands: hsetroot name: hspec-discover version: 2.4.4-1 commands: hspec-discover name: hspell version: 1.4-2 commands: hspell,hspell-i,multispell name: hspell-gui version: 0.2.6-5.1build1 commands: hspell-gui,hspell-gui-heb name: hsqldb-utils version: 2.4.0-2 commands: hsqldb-databasemanager,hsqldb-databasemanagerswing,hsqldb-sqltool,hsqldb-transfer name: hsx2hs version: 0.14.1.1-1build2 commands: hsx2hs name: ht version: 2.1.0+repack1-3 commands: hte name: htag version: 0.0.24-1.1 commands: htag name: htcondor version: 8.6.8~dfsg.1-2 commands: bosco_install,classad_functional_tester,classad_version,condor_advertise,condor_aklog,condor_c-gahp,condor_c-gahp_worker_thread,condor_check_userlogs,condor_cod,condor_collector,condor_config_val,condor_configure,condor_continue,condor_convert_history,condor_credd,condor_dagman,condor_drain,condor_fetchlog,condor_findhost,condor_ft-gahp,condor_gather_info,condor_gridmanager,condor_gridshell,condor_had,condor_history,condor_hold,condor_init,condor_job_router_info,condor_kbdd,condor_master,condor_negotiator,condor_off,condor_on,condor_ping,condor_pool_job_report,condor_power,condor_preen,condor_prio,condor_procd,condor_q,condor_qedit,condor_qsub,condor_reconfig,condor_release,condor_replication,condor_reschedule,condor_restart,condor_rm,condor_root_switchboard,condor_router_history,condor_router_q,condor_router_rm,condor_run,condor_schedd,condor_set_shutdown,condor_shadow,condor_sos,condor_ssh_to_job,condor_startd,condor_starter,condor_stats,condor_status,condor_store_cred,condor_submit,condor_submit_dag,condor_suspend,condor_tail,condor_test_match,condor_testwritelog,condor_top.pl,condor_transfer_data,condor_transferd,condor_transform_ads,condor_update_machine_ad,condor_updates_stats,condor_userlog,condor_userlog_job_counter,condor_userprio,condor_vacate,condor_vacate_job,condor_version,condor_vm-gahp,condor_vm-gahp-vmware,condor_vm_vmware,condor_wait,condor_who,ec2_gahp,gahp_server,gce_gahp,gidd_alloc,grid_monitor,nordugrid_gahp,procd_ctl,remote_gahp name: htdig version: 1:3.2.0b6-17 commands: HtFileType,htdb_dump,htdb_load,htdb_stat,htdig,htdig-pdfparser,htdigconfig,htdump,htfuzzy,htload,htmerge,htnotify,htpurge,htstat,rundig name: html-xml-utils version: 7.6-1 commands: asc2xml,hxaddid,hxcite,hxcite-mkbib,hxclean,hxcopy,hxcount,hxextract,hxincl,hxindex,hxmkbib,hxmultitoc,hxname2id,hxnormalize,hxnsxml,hxnum,hxpipe,hxprintlinks,hxprune,hxref,hxremove,hxselect,hxtabletrans,hxtoc,hxuncdata,hxunent,hxunpipe,hxunxmlns,hxwls,hxxmlns,xml2asc name: html2ps version: 1.0b7-2 commands: html2ps name: html2text version: 1.3.2a-21 commands: html2text name: html2wml version: 0.4.11+dfsg-1 commands: html2wml name: htmldoc version: 1.9.2-1 commands: htmldoc name: htmlmin version: 0.1.12-1 commands: htmlmin name: htp version: 1.19-6 commands: htp name: htpdate version: 1.2.0-1 commands: htpdate name: htsengine version: 1.10-3 commands: hts_engine name: httest version: 2.4.18-1.1 commands: htntlm,htproxy,htremote,httest name: httpcode version: 0.6-1 commands: hc name: httperf version: 0.9.0-8build1 commands: httperf,idleconn name: httpfs2 version: 0.1.4-1.1 commands: httpfs2 name: httpie version: 0.9.8-2 commands: http name: httping version: 2.5-1 commands: httping name: httpry version: 0.1.8-1 commands: httpry name: httptunnel version: 3.3+dfsg-4 commands: htc,hts name: httrack version: 3.49.2-1build1 commands: httrack name: httraqt version: 1.4.9-1 commands: httraqt name: hubicfuse version: 3.0.1-1build2 commands: hubicfuse name: hud-tools version: 14.10+17.10.20170619-0ubuntu2 commands: hud-cli,hud-cli-appstack,hud-cli-param,hud-cli-toolbar,hud-gtk,hudkeywords name: hugin version: 2018.0.0+dfsg-1 commands: PTBatcherGUI,calibrate_lens_gui,hugin,hugin_stitch_project name: hugin-tools version: 2018.0.0+dfsg-1 commands: align_image_stack,autooptimiser,celeste_standalone,checkpto,cpclean,cpfind,deghosting_mask,fulla,geocpset,hugin_executor,hugin_hdrmerge,hugin_lensdb,hugin_stacker,icpfind,linefind,nona,pano_modify,pano_trafo,pto_gen,pto_lensstack,pto_mask,pto_merge,pto_move,pto_template,pto_var,tca_correct,verdandi,vig_optimize name: hugo version: 0.40.1-1 commands: hugo name: hugs version: 98.200609.21-5.4build1 commands: cpphs-hugs,ffihugs,hsc2hs-hugs,hugs,runhugs name: humanfriendly version: 4.4.1-1 commands: humanfriendly name: hunspell version: 1.6.2-1 commands: hunspell name: hunt version: 1.5-6.1build1 commands: hunt,tpserv,transproxy name: hv3 version: 3.0~fossil20110109-6 commands: hv3,x-www-browser name: hwinfo version: 21.52-1 commands: hwinfo name: hwloc version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hwloc-nox version: 1.11.9-1 commands: hwloc-annotate,hwloc-assembler,hwloc-assembler-remote,hwloc-bind,hwloc-calc,hwloc-compress-dir,hwloc-diff,hwloc-distances,hwloc-distrib,hwloc-gather-topology,hwloc-info,hwloc-ls,hwloc-patch,hwloc-ps,lstopo,lstopo-no-graphics name: hxtools version: 20170430-1 commands: aumeta,bin2c,bsvplay,cctypeinfo,checkbrack,clock_info,clt2bdf,clt2pbm,declone,diff2php,fd0ssh,fnt2bdf,gpsh,gxxdm,hcdplay,hxnetload,ldif-duplicate-attrs,ldif-leading-spaces,logontime,mailsplit,mkvappend,mod2opus,ofl,paddrspacesize,pcmdiff,pegrep,peicon,pesubst,pmap_dirty,proc_iomem_count,proc_stat_parse,proc_stat_signal_decode,psthreads,qpdecode,qplay,qtar,recursive_lower,rezip,rot13,sourcefuncsize,spec-beautifier,ssa2srt,stxdb,su1,utmp_register,vcsaview,vfontas,wktimer name: hyantesite version: 1.3.0-2ubuntu1 commands: hyantesite name: hybrid-dev version: 1:8.2.22+dfsg.1-1 commands: mbuild-hybrid name: hydra version: 8.6-1build1 commands: dpl4hydra,hydra,hydra-wizard,pw-inspector name: hydra-gtk version: 8.6-1build1 commands: xhydra name: hydroffice.bag-tools version: 0.2.15-1 commands: bag_bbox,bag_elevation,bag_metadata,bag_tracklist,bag_uncertainty,bag_validate name: hydrogen version: 0.9.7-6 commands: h2cli,h2player,h2synth,hydrogen name: hylafax-client version: 3:6.0.6-8 commands: edit-faxcover,faxalter,faxcover,faxmail,faxrm,faxstat,sendfax,sendpage,textfmt,typetest name: hylafax-server version: 3:6.0.6-8 commands: choptest,cqtest,dialtest,faxabort,faxaddmodem,faxadduser,faxanswer,faxconfig,faxcron,faxdeluser,faxgetty,faxinfo,faxlock,faxmodem,faxmsg,faxq,faxqclean,faxquit,faxsend,faxsetup,faxstate,faxwatch,hfaxd,lockname,ondelay,pagesend,probemodem,recvstats,tagtest,tiffcheck,tsitest,xferfaxstats name: hyperrogue version: 10.0g-1 commands: hyper name: hyphen-show version: 20000425-3build1 commands: hyphen_show name: hyphy-mpi version: 2.2.7+dfsg-1 commands: hyphympi name: hyphy-pt version: 2.2.7+dfsg-1 commands: hyphymp name: hyphygui version: 2.2.7+dfsg-1 commands: hyphygtk name: i18nspector version: 0.25.5-3 commands: i18nspector name: i2c-tools version: 4.0-2 commands: ddcmon,decode-dimms,decode-edid,decode-vaio,i2c-stub-from-dump,i2cdetect,i2cdump,i2cget,i2cset,i2ctransfer name: i2p version: 0.9.34-1ubuntu3 commands: i2prouter name: i2p-router version: 0.9.34-1ubuntu3 commands: eepget,i2prouter-nowrapper name: i2pd version: 2.17.0-3build1 commands: i2pd name: i2util-tools version: 1.6-1 commands: aespasswd,pfstore name: i3-wm version: 4.14.1-1 commands: i3,i3-config-wizard,i3-dmenu-desktop,i3-dump-log,i3-input,i3-migrate-config-to-v4,i3-msg,i3-nagbar,i3-save-tree,i3-sensible-editor,i3-sensible-pager,i3-sensible-terminal,i3-with-shmlog,i3bar,x-window-manager name: i3blocks version: 1.4-4 commands: i3blocks name: i3lock version: 2.10-1 commands: i3lock name: i3lock-fancy version: 0.0~git20160228.0.0fcb933-2 commands: i3lock-fancy name: i3status version: 2.11-1build1 commands: i3status name: i8c version: 0.0.6-1 commands: i8c,i8x name: iagno version: 1:3.28.0-1 commands: iagno name: iamcli version: 1.5.0-0ubuntu3 commands: iam-accountaliascreate,iam-accountaliasdelete,iam-accountaliaslist,iam-accountdelpasswordpolicy,iam-accountgetpasswordpolicy,iam-accountgetsummary,iam-accountmodpasswordpolicy,iam-groupaddpolicy,iam-groupadduser,iam-groupcreate,iam-groupdel,iam-groupdelpolicy,iam-grouplistbypath,iam-grouplistpolicies,iam-grouplistusers,iam-groupmod,iam-groupremoveuser,iam-groupuploadpolicy,iam-instanceprofileaddrole,iam-instanceprofilecreate,iam-instanceprofiledel,iam-instanceprofilegetattributes,iam-instanceprofilelistbypath,iam-instanceprofilelistforrole,iam-instanceprofileremoverole,iam-roleaddpolicy,iam-rolecreate,iam-roledel,iam-roledelpolicy,iam-rolegetattributes,iam-rolelistbypath,iam-rolelistpolicies,iam-roleupdateassumepolicy,iam-roleuploadpolicy,iam-servercertdel,iam-servercertgetattributes,iam-servercertlistbypath,iam-servercertmod,iam-servercertupload,iam-useraddcert,iam-useraddkey,iam-useraddloginprofile,iam-useraddpolicy,iam-userchangepassword,iam-usercreate,iam-userdeactivatemfadevice,iam-userdel,iam-userdelcert,iam-userdelkey,iam-userdelloginprofile,iam-userdelpolicy,iam-userenablemfadevice,iam-usergetattributes,iam-usergetloginprofile,iam-userlistbypath,iam-userlistcerts,iam-userlistgroups,iam-userlistkeys,iam-userlistmfadevices,iam-userlistpolicies,iam-usermod,iam-usermodcert,iam-usermodkey,iam-usermodloginprofile,iam-userresyncmfadevice,iam-useruploadpolicy,iam-virtualmfadevicecreate,iam-virtualmfadevicedel,iam-virtualmfadevicelist name: iannix version: 0.9.20~dfsg0-2 commands: iannix name: iat version: 0.1.3-7build1 commands: iat name: iaxmodem version: 1.2.0~dfsg-3 commands: iaxmodem name: ibacm version: 17.1-1 commands: ib_acme,ibacm name: ibid version: 0.1.1+dfsg-4build1 commands: ibid,ibid-db,ibid-factpack,ibid-knab-import,ibid-memgraph,ibid-objgraph,ibid-pb-client,ibid-plugin,ibid-setup name: ibod version: 1.5.0-6build1 commands: ibod name: ibus-braille version: 0.3-1 commands: ibus-braille,ibus-braille-abbreviation-editor,ibus-braille-language-editor,ibus-braille-preferences name: ibus-cangjie version: 2.4-1 commands: ibus-setup-cangjie name: ibutils version: 1.5.7-5ubuntu1 commands: ibdiagnet,ibdiagpath,ibdiagui,ibdmchk,ibdmsh,ibdmtr,ibis,ibnlparse,ibtopodiff name: ibverbs-utils version: 17.1-1 commands: ibv_asyncwatch,ibv_devices,ibv_devinfo,ibv_rc_pingpong,ibv_srq_pingpong,ibv_uc_pingpong,ibv_ud_pingpong,ibv_xsrq_pingpong name: ical2html version: 2.1-3build1 commands: ical2html,icalfilter,icalmerge name: icdiff version: 1.9.1-2 commands: git-icdiff,icdiff name: icebreaker version: 1.21-12 commands: icebreaker name: icecast2 version: 2.4.3-2 commands: icecast2 name: icecc version: 1.1-2 commands: icecc,icecc-create-env,icecc-scheduler,iceccd,icerun name: icecc-monitor version: 3.1.0-1 commands: icemon name: icecream version: 1.3-4 commands: icecream name: icedax version: 9:1.1.11-3ubuntu2 commands: cdda2mp3,cdda2ogg,cdda2wav,cdrkit.cdda2mp3,cdrkit.cdda2ogg,icedax,list_audio_tracks,pitchplay,readmult name: icedtea-netx version: 1.6.2-3.1ubuntu3 commands: itweb-settings,javaws,policyeditor name: ices2 version: 2.0.2-2build1 commands: ices2 name: icewm version: 1.4.3.0~pre-20180217-3 commands: icehelp,icesh,icesound,icewm,icewm-session,icewmbg,icewmhint,x-session-manager,x-window-manager name: icewm-common version: 1.4.3.0~pre-20180217-3 commands: icewm-menu-fdo,icewm-menu-xrandr name: icewm-experimental version: 1.4.3.0~pre-20180217-3 commands: icewm-experimental,icewm-session-experimental,x-session-manager,x-window-manager name: icewm-lite version: 1.4.3.0~pre-20180217-3 commands: icewm-lite,icewm-session-lite,x-session-manager,x-window-manager name: icheck version: 0.9.7-6.3build3 commands: icheck name: icinga-core version: 1.13.4-2build1 commands: icinga,icingastats name: icinga-dbg version: 1.13.4-2build1 commands: mini_epn,mini_epn_icinga name: icinga-idoutils version: 1.13.4-2build1 commands: ido2db,log2ido name: icinga2-bin version: 2.8.1-0ubuntu2 commands: icinga2 name: icinga2-studio version: 2.8.1-0ubuntu2 commands: icinga-studio name: icingacli version: 2.4.1-1 commands: icingacli name: icli version: 0.48-1 commands: icli name: icmake version: 9.02.06-1 commands: icmake,icmbuild,icmstart name: icmpinfo version: 1.11-12 commands: icmpinfo name: icmptx version: 0.2-1build1 commands: icmptx name: icmpush version: 2.2-6.1build1 commands: icmpush name: icnsutils version: 0.8.1-3.1 commands: icns2png,icontainer2icns,png2icns name: icom version: 20120228-3 commands: icom name: icon-slicer version: 0.3-8 commands: icon-slicer name: icont version: 9.4.3-6ubuntu1 commands: icon,icont name: icontool version: 0.1.0-0ubuntu2 commands: icontool-map,icontool-render name: iconx version: 9.4.3-6ubuntu1 commands: iconx name: icoutils version: 0.32.3-1 commands: extresso,genresscript,icotool,wrestool name: id-utils version: 4.6+git20120811-4ubuntu2 commands: aid,defid,eid,fid,fnid,gid,lid,mkid,xtokid name: id3 version: 1.0.0-1 commands: id3 name: id3ren version: 1.1b0-7 commands: id3ren name: id3tool version: 1.2a-8 commands: id3tool name: id3v2 version: 0.1.12+dfsg-1 commands: id3v2 name: idba version: 1.1.3-2 commands: idba,idba_hybrid,idba_tran,idba_ud name: idecrypt version: 3.0.19.ds1-8 commands: idecrypt name: ident2 version: 1.07-1.1ubuntu2 commands: ident2 name: identicurse version: 0.9+dfsg0-1 commands: identicurse name: idesk version: 0.7.5-6 commands: idesk name: ideviceinstaller version: 1.1.0-0ubuntu3 commands: ideviceinstaller name: idle version: 3.6.5-3 commands: idle name: idle-python2.7 version: 2.7.15~rc1-1 commands: idle-python2.7 name: idle-python3.6 version: 3.6.5-3 commands: idle-python3.6 name: idle-python3.7 version: 3.7.0~b3-1 commands: idle-python3.7 name: idle3-tools version: 0.9.1-2 commands: idle3ctl name: idlestat version: 0.8-1 commands: idlestat name: idn version: 1.33-2.1ubuntu1 commands: idn name: idn2 version: 2.0.4-1.1build2 commands: idn2 name: idzebra-2.0-utils version: 2.0.59-1ubuntu1 commands: zebraidx,zebraidx-2.0,zebrasrv,zebrasrv-2.0 name: iec16022 version: 0.2.4-1.2 commands: iec16022 name: ifetch-tools version: 0.15.26d-1 commands: ifetch,wwwifetch name: ifile version: 1.3.9-7 commands: ifile name: ifmetric version: 0.3-4 commands: ifmetric name: ifp-line-libifp version: 1.0.0.2-5ubuntu2 commands: ifp name: ifpgui version: 1.0.0-3build1 commands: ifpgui name: ifplugd version: 0.28-19.2 commands: ifplugd,ifplugstatus,ifstatus name: ifrit version: 4.1.2-5build1 commands: ifrit name: ifscheme version: 1.7-5 commands: essidscan,ifscheme,ifscheme-mapping,wifichoice.sh name: ifstat version: 1.1-8.1 commands: ifstat name: iftop version: 1.0~pre4-4 commands: iftop name: ifupdown-extra version: 0.28 commands: network-test name: ifupdown2 version: 1.0~git20170314-1 commands: ifdown,ifquery,ifreload,ifup name: ifuse version: 1.1.3-0.1 commands: ifuse name: igal2 version: 2.2-1 commands: igal2 name: igmpproxy version: 0.2.1-1 commands: igmpproxy name: ignore-me version: 0.1.2-1 commands: copy-bzrmk,copy-cvsmk,copy-gitmk,copy-hgmk,copy-svnmk name: ii version: 1.7-2build1 commands: ii name: iiod version: 0.10-3 commands: iiod name: ike version: 2.2.1+dfsg-6 commands: ikec,iked name: ike-qtgui version: 2.2.1+dfsg-6 commands: qikea,qikec name: ike-scan version: 1.9.4-1ubuntu2 commands: ike-scan,psk-crack name: ikiwiki version: 3.20180228-1 commands: ikiwiki,ikiwiki-calendar,ikiwiki-comment,ikiwiki-makerepo,ikiwiki-mass-rebuild,ikiwiki-transition,ikiwiki-update-wikilist name: ikiwiki-hosting-dns version: 0.20170622ubuntu1 commands: ikidns name: ikiwiki-hosting-web version: 0.20170622ubuntu1 commands: iki-git-hook-update,iki-git-shell,iki-ssh-unsafe,ikisite,ikisite-delete-unfinished-site,ikisite-wrapper,ikiwiki-hosting-web-backup,ikiwiki-hosting-web-daily name: ikvm version: 8.1.5717.0+ds-1 commands: ikvm,ikvmc,ikvmstub name: im version: 1:153-2 commands: imali,imcat,imcd,imclean,imget,imgrep,imhist,imhsync,imjoin,imls,immknmz,immv,impack,impath,imput,impwagent,imrm,imsetup,imsort,imstore,imtar name: ima-evm-utils version: 1.1-0ubuntu1 commands: evmctl name: imageindex version: 1.1-3 commands: imageindex name: imageinfo version: 0.04-0ubuntu11 commands: imageinfo name: imagej version: 1.51q-1 commands: imagej name: imagemagick-6.q16hdri version: 8:6.9.7.4+dfsg-16ubuntu6 commands: animate,animate-im6,animate-im6.q16hdri,compare,compare-im6,compare-im6.q16hdri,composite,composite-im6,composite-im6.q16hdri,conjure,conjure-im6,conjure-im6.q16hdri,convert,convert-im6,convert-im6.q16hdri,display,display-im6,display-im6.q16hdri,identify,identify-im6,identify-im6.q16hdri,import,import-im6,import-im6.q16hdri,mogrify,mogrify-im6,mogrify-im6.q16hdri,montage,montage-im6,montage-im6.q16hdri,stream,stream-im6,stream-im6.q16hdri name: imagetooth version: 2.0.1-1.1build1 commands: imagetooth name: imagevis3d version: 3.1.0-6 commands: imagevis3d,uvfconvert name: imagination version: 3.0-7build1 commands: imagination name: imapfilter version: 1:2.6.11-1build1 commands: imapfilter name: imapproxy version: 1.2.8~svn20171105-1build1 commands: imapproxyd,pimpstat name: imaprowl version: 1.2.1-1.1 commands: imaprowl name: imaptool version: 0.9-17 commands: imaptool name: imediff2 version: 1.1.2-3 commands: imediff2,merge2 name: img2pdf version: 0.2.3-1 commands: img2pdf name: imgp version: 2.5-1 commands: imgp name: imgsizer version: 2.7-3 commands: imgsizer name: imgvtopgm version: 2.0-9build1 commands: imgvinfo,imgvtopnm,imgvview,pbmtoimgv,pgmtoimgv,ppmimgvquant name: impass version: 0.12-1 commands: impass name: impose+ version: 0.2-12 commands: bboxx,fixtd,impose,psbl name: imposm version: 2.6.0+ds-4 commands: imposm,imposm-psqldb name: impressive version: 0.12.0-2 commands: impressive,impressive-gettransitions name: impressive-display version: 0.3.2-1 commands: impressive-display,x-session-manager name: imview version: 1.1.9c-17build1 commands: imview name: imvirt version: 0.9.6-4 commands: imvirt name: imvirt-helper version: 0.9.6-4 commands: imvirt-report name: imwheel version: 1.0.0pre12-12 commands: imwheel name: imx-usb-loader version: 0~git20171026.138c0b25-1 commands: imx_uart,imx_usb name: inadyn version: 1.99.4-1build1 commands: inadyn name: incron version: 0.5.10-3build1 commands: incrond,incrontab name: indelible version: 1.03-3 commands: indelible name: indi-bin version: 1.7.1-0ubuntu1 commands: indi_astrometry,indi_baader_dome,indi_celestron_gps,indi_dmfc_focus,indi_dsc_telescope,indi_eval,indi_flipflat,indi_gemini_focus,indi_getprop,indi_gpusb,indi_hid_test,indi_hitecastrodc_focus,indi_ieq_telescope,indi_imager_agent,indi_integra_focus,indi_ioptronHC8406,indi_ioptronv3_telescope,indi_joystick,indi_lakeside_focus,indi_lx200_10micron,indi_lx200_16,indi_lx200_OnStep,indi_lx200ap,indi_lx200ap_experimental,indi_lx200ap_gtocp2,indi_lx200autostar,indi_lx200basic,indi_lx200classic,indi_lx200fs2,indi_lx200gemini,indi_lx200generic,indi_lx200gotonova,indi_lx200gps,indi_lx200pulsar2,indi_lx200ss2000pc,indi_lx200zeq25,indi_lynx_focus,indi_mbox_weather,indi_meta_weather,indi_microtouch_focus,indi_moonlite_focus,indi_nfocus,indi_nightcrawler_focus,indi_nstep_focus,indi_optec_wheel,indi_paramount_telescope,indi_perfectstar_focus,indi_pmc8_telescope,indi_pyxis_rotator,indi_quantum_wheel,indi_robo_focus,indi_rolloff_dome,indi_script_dome,indi_script_telescope,indi_sestosenso_focus,indi_setprop,indi_simulator_ccd,indi_simulator_dome,indi_simulator_focus,indi_simulator_gps,indi_simulator_guide,indi_simulator_sqm,indi_simulator_telescope,indi_simulator_wheel,indi_skycommander_telescope,indi_skysafari,indi_skywatcherAltAzMount,indi_skywatcherAltAzSimple,indi_smartfocus_focus,indi_snapcap,indi_sqm_weather,indi_star2000,indi_steeldrive_focus,indi_synscan_telescope,indi_tcfs3_focus,indi_tcfs_focus,indi_temma_telescope,indi_trutech_wheel,indi_usbdewpoint,indi_usbfocusv3_focus,indi_v4l2_ccd,indi_vantage_weather,indi_watchdog,indi_wunderground_weather,indi_xagyl_wheel,indiserver name: indicator-china-weather version: 2.2.8-0ubuntu1 commands: indicator-china-weather name: indicator-cpufreq version: 0.2.2-0ubuntu2 commands: indicator-cpufreq,indicator-cpufreq-selector name: indicator-multiload version: 0.4-0ubuntu5 commands: indicator-multiload name: indigo-utils version: 1.1.12-2 commands: chemdiff,indigo-cano,indigo-deco,indigo-depict name: inetsim version: 1.2.7+dfsg.1-1 commands: inetsim name: inetutils-ftp version: 2:1.9.4-3 commands: ftp,inetutils-ftp,pftp name: inetutils-ftpd version: 2:1.9.4-3 commands: ftpd name: inetutils-inetd version: 2:1.9.4-3 commands: inetutils-inetd name: inetutils-ping version: 2:1.9.4-3 commands: ping,ping6 name: inetutils-syslogd version: 2:1.9.4-3 commands: syslogd name: inetutils-talk version: 2:1.9.4-3 commands: inetutils-talk,talk name: inetutils-talkd version: 2:1.9.4-3 commands: talkd name: inetutils-telnet version: 2:1.9.4-3 commands: inetutils-telnet,telnet name: inetutils-telnetd version: 2:1.9.4-3 commands: telnetd name: inetutils-tools version: 2:1.9.4-3 commands: inetutils-ifconfig name: inetutils-traceroute version: 2:1.9.4-3 commands: inetutils-traceroute,traceroute name: infiniband-diags version: 2.0.0-2 commands: check_lft_balance,dump_fts,dump_lfts,dump_mfts,ibaddr,ibcacheedit,ibccconfig,ibccquery,ibfindnodesusing,ibhosts,ibidsverify,iblinkinfo,ibnetdiscover,ibnodes,ibping,ibportstate,ibqueryerrors,ibroute,ibrouters,ibstat,ibstatus,ibswitches,ibsysstat,ibtracert,perfquery,saquery,sminfo,smpdump,smpquery,vendstat name: infinoted version: 0.7.1-1 commands: infinoted,infinoted-0.7 name: info-beamer version: 1.0~pre3+dfsg-0.1build2 commands: info-beamer name: info2man version: 1.1-8 commands: info2man,info2pod name: infon-server version: 0~r198-8build2 commands: infond name: infon-viewer version: 0~r198-8build2 commands: infon name: inform6-compiler version: 6.33-2 commands: inform,inform6 name: inhomog version: 0.1.7.1-1 commands: inhomog name: ink version: 0.5.2-1 commands: ink name: inkscape version: 0.92.3-1 commands: inkscape,inkview name: inn version: 1:1.7.2q-45build2 commands: ctlinnd,in.nnrpd,inews,innd,inndstart,rnews name: inn2 version: 2.6.1-4build1 commands: ctlinnd,innstat name: inn2-inews version: 2.6.1-4build1 commands: inews,rnews name: innoextract version: 1.6-1build3 commands: innoextract name: inosync version: 0.2.3+git20120321-3 commands: inosync name: inoticoming version: 0.2.3-1build1 commands: inoticoming name: inotify-hookable version: 0.09-1 commands: inotify-hookable name: inotify-tools version: 3.14-2 commands: inotifywait,inotifywatch name: input-pad version: 1.0.3-1build1 commands: input-pad name: input-utils version: 1.0-1.1build1 commands: input-events,input-kbd,lsinput name: inputlirc version: 30-1 commands: inputlircd name: inputplug version: 0.3~hg20150512-1build1 commands: inputplug name: inspectrum version: 0.2-1 commands: inspectrum name: inspircd version: 2.0.24-1ubuntu1 commands: inspircd name: install-mimic version: 0.3.1-1 commands: install-mimic name: installation-birthday version: 8 commands: installation-birthday name: instead version: 3.1.2-2 commands: instead,sdl-instead name: integrit version: 4.1-1.1 commands: i-ls,i-viewdb,integrit name: intel2gas version: 1.3.3-17 commands: intel2gas name: intercal version: 30:0.30-2 commands: convickt,ick name: intltool version: 0.51.0-5ubuntu1 commands: intltool-extract,intltool-merge,intltool-prepare,intltool-update,intltoolize name: intone version: 0.77+git20120308-1build3 commands: intone name: inventor-clients version: 2.1.5-10-21 commands: SceneViewer,iv2toiv1,ivcat,ivdowngrade,ivfix,ivinfo,ivview name: invesalius version: 3.1.1-3 commands: invesalius3 name: inxi version: 2.3.56-1 commands: inxi name: iodbc version: 3.52.9-2.1 commands: iodbcadm-gtk,iodbctest name: iodine version: 0.7.0-7 commands: iodine,iodine-client-start,iodined name: iog version: 1.03-3.6 commands: iog name: ion version: 3.2.1+dfsg-1.1 commands: acsadmin,acslist,amsbenchr,amsbenchs,amsd,amshello,amslog,amslogprt,amsshell,amsstop,aoslsi,aoslso,bpadmin,bpcancel,bpchat,bpclock,bpcounter,bpcp,bpcpd,bpdriver,bpecho,bping,bplist,bprecvfile,bpsendfile,bpsink,bpsource,bpstats,bpstats2,bptrace,bputa,brsccla,brsscla,bssStreamingApp,bsscounter,bssdriver,bsspadmin,bsspcli,bsspclo,bsspclock,bssrecv,cfdpadmin,cfdpclock,cfdptest,cgrfetch,dccpcli,dccpclo,dccplsi,dccplso,dgr2file,dgrcla,dtn2admin,dtn2adminep,dtn2fw,dtnperf_vION,dtpcadmin,dtpcclock,dtpcd,dtpcreceive,dtpcsend,file2dgr,file2sdr,file2sm,file2tcp,file2udp,hmackeys,imcadmin,imcfw,ionadmin,ionexit,ionrestart,ionscript,ionsecadmin,ionstart,ionstop,ionwarn,ipnadmin,ipnadminep,ipnfw,killm,lgagent,lgsend,ltpadmin,ltpcli,ltpclo,ltpclock,ltpcounter,ltpdriver,ltpmeter,nm_agent,nm_mgr,owltsim,owlttb,psmshell,psmwatch,ramsgate,rfxclock,sdatest,sdr2file,sdrmend,sdrwatch,sm2file,smlistsh,stcpcli,stcpclo,tcp2file,tcpbsi,tcpbso,tcpcli,tcpclo,udp2file,udpbsi,udpbso,udpcli,udpclo,udplsi,udplso name: ioping version: 1.0-2 commands: ioping name: ioprocess version: 0.15.1-2ubuntu2 commands: ioprocess name: iotjs version: 1.0-1 commands: iotjs name: ip2host version: 1.13-2 commands: ip2host name: ipband version: 0.8.1-5 commands: ipband name: ipcalc version: 0.41-5 commands: ipcalc name: ipcheck version: 0.233-2 commands: ipcheck name: ipe version: 7.2.7-3 commands: ipe,ipe6upgrade,ipeextract,iperender,ipescript,ipetoipe name: ipe5toxml version: 1:7.2.7-1build1 commands: ipe5toxml name: iperf version: 2.0.10+dfsg1-1 commands: iperf name: iperf3 version: 3.1.3-1 commands: iperf3 name: ipfm version: 0.11.5-4.2 commands: ipfm name: ipgrab version: 0.9.10-2 commands: ipgrab name: ipig version: 0.0.r5-2build1 commands: ipig name: ipip version: 1.1.9build1 commands: ipip name: ipkungfu version: 0.6.1-6.2 commands: dummy_server,ipkungfu name: ipmitool version: 1.8.18-5build1 commands: ipmievd,ipmitool name: ipmiutil version: 3.0.7-1build1 commands: ialarms,icmd,iconfig,idiscover,ievents,ifirewall,ifru,ifwum,igetevent,ihealth,ihpm,ilan,ipicmg,ipmi_port,ipmiutil,ireset,isel,iseltime,isensor,iserial,isol,iuser,iwdt name: ippl version: 1.4.14-12.2build1 commands: ippl name: ipppd version: 1:3.25+dfsg1-9ubuntu2 commands: ipppd,ipppstats name: ippsample version: 0.0+20180213-0ubuntu1 commands: ippfind,ippproxy,ippserver,ipptool name: iprange version: 1.0.3+ds-1 commands: iprange name: iprint version: 1.3-9build1 commands: i name: ips version: 4.0-1build2 commands: ips name: ipsec-tools version: 1:0.8.2+20140711-10build1 commands: setkey name: ipsvd version: 1.0.0-3.1 commands: ipsvd-cdb,tcpsvd,udpsvd name: iptables-converter version: 0.9.8-1 commands: ip6tables-converter,iptables-converter name: iptables-nftables-compat version: 1.6.1-2ubuntu2 commands: arptables-compat,ebtables-compat,ip6tables-compat,ip6tables-compat-restore,ip6tables-compat-save,ip6tables-restore-translate,ip6tables-translate,iptables-compat,iptables-compat-restore,iptables-compat-save,iptables-restore-translate,iptables-translate,xtables-compat-multi name: iptables-optimizer version: 0.9.14-1 commands: ip6tables-optimizer,iptables-optimizer name: iptotal version: 0.3.3-13.1 commands: iptotal,iptotald name: iptstate version: 2.2.6-1 commands: iptstate name: iptux version: 0.7.4-1 commands: iptux name: iputils-clockdiff version: 3:20161105-1ubuntu2 commands: clockdiff name: ipv6calc version: 0.99.1-1build1 commands: ipv6calc,ipv6loganon,ipv6logconv,ipv6logstats name: ipv6pref version: 1.0.3-1 commands: ipv6pref,v6pub,v6tmp name: ipv6toolkit version: 2.0-1 commands: addr6,blackhole6,flow6,frag6,icmp6,jumbo6,na6,ni6,ns6,path6,ra6,rd6,rs6,scan6,script6,tcp6,udp6 name: ipwatchd version: 1.2.1-1build1 commands: ipwatchd,ipwatchd-script name: ipwatchd-gnotify version: 1.0.1-1build1 commands: ipwatchd-gnotify name: ipython version: 5.5.0-1 commands: ipython name: ipython3 version: 5.5.0-1 commands: ipython3 name: ir-keytable version: 1.14.2-1 commands: ir-keytable name: ir.lv2 version: 1.3.3~dfsg0-1 commands: convert4chan name: ircd-hybrid version: 1:8.2.22+dfsg.1-1 commands: ircd-hybrid name: ircd-irc2 version: 2.11.2p3~dfsg-5 commands: chkconf,iauth,ircd,ircd-mkpasswd,ircdwatch name: ircd-ircu version: 2.10.12.10.dfsg1-3build1 commands: ircd-ircu name: ircii version: 20170704-1build1 commands: irc,ircII,ircflush,ircio,wserv name: irclog2html version: 2.17.0-2 commands: irclog2html,irclogsearch,irclogserver,logs2html name: ircmarkers version: 0.15-1build1 commands: ircmarkers name: ircp-tray version: 0.7.6-1.2ubuntu3 commands: ircp-tray name: irker version: 2.18+dfsg-2 commands: irk,irkerd,irkerhook,irkerhook-debian,irkerhook-git name: iroffer version: 1.4.b03-6 commands: iroffer name: ironic-api version: 1:10.1.1-0ubuntu2 commands: ironic-api,ironic-api-wsgi name: ironic-common version: 1:10.1.1-0ubuntu2 commands: ironic-dbsync,ironic-rootwrap name: ironic-conductor version: 1:10.1.1-0ubuntu2 commands: ironic-conductor name: irony-server version: 1.2.0-4 commands: irony-server name: irsim version: 9.7.93-2 commands: irsim name: irstlm version: 6.00.05-2 commands: irstlm name: irtt version: 0.9.0-2 commands: irtt name: isag version: 11.6.1-1 commands: isag name: isakmpd version: 20041012-8 commands: certpatch,isakmpd name: isatapd version: 0.9.7-4 commands: isatapd name: isc-dhcp-client-ddns version: 4.3.5-3ubuntu7 commands: dhclient name: isc-dhcp-relay version: 4.3.5-3ubuntu7 commands: dhcrelay name: isc-dhcp-server-ldap version: 4.3.5-3ubuntu7 commands: dhcpd name: iscsiuio version: 2.0.874-5ubuntu2 commands: iscsiuio name: isdnlog version: 1:3.25+dfsg1-9ubuntu2 commands: isdnbill,isdnconf,isdnlog,isdnrate,isdnrep,mkzonedb name: isdnutils-base version: 1:3.25+dfsg1-9ubuntu2 commands: divertctrl,hisaxctrl,imon,imontty,iprofd,isdncause,isdnconfig,isdnctrl name: isdnutils-xtools version: 1:3.25+dfsg1-9ubuntu2 commands: xisdnload,xmonisdn name: isdnvboxclient version: 1:3.25+dfsg1-9ubuntu2 commands: autovbox,rmdtovbox,vbox,vboxbeep,vboxcnvt,vboxctrl,vboxmode,vboxplay,vboxtoau name: isdnvboxserver version: 1:3.25+dfsg1-9ubuntu2 commands: vboxd,vboxgetty,vboxmail,vboxputty name: iselect version: 1.4.0-3 commands: iselect,screen-ir name: isenkram version: 0.36 commands: isenkramd name: isenkram-cli version: 0.36 commands: isenkram-autoinstall-firmware,isenkram-lookup,isenkram-pkginstall name: ismrmrd-tools version: 1.3.3-1build2 commands: ismrmrd_generate_cartesian_shepp_logan,ismrmrd_info,ismrmrd_read_timing_test,ismrmrd_recon_cartesian_2d,ismrmrd_test_xml name: isomaster version: 1.3.13-1build1 commands: isomaster name: isomd5sum version: 1:1.2.1-1 commands: checkisomd5,implantisomd5 name: isoqlog version: 2.2.1-9build1 commands: isoqlog name: isoquery version: 3.2.2-2 commands: isoquery name: isort version: 4.3.4+ds1-1 commands: isort name: ispell version: 3.4.00-6 commands: buildhash,defmt-c,defmt-sh,findaffix,icombine,ijoin,ispell,munchlist,sq,tryaffix,unsq name: isrcsubmit version: 2.0.1-2 commands: isrcsubmit name: isso version: 0.10.6+git20170928+dfsg-1 commands: isso name: istgt version: 0.4~20111008-3build1 commands: istgt,istgtcontrol name: isympy-common version: 1.1.1-5 commands: isympy name: isympy3 version: 1.1.1-5 commands: isympy3 name: isync version: 1.3.0-1build1 commands: isync,mbsync,mbsync-get-cert,mdconvert name: italc-client version: 1:3.0.3+dfsg1-3 commands: ica,italc_auth_helper name: italc-management-console version: 1:3.0.3+dfsg1-3 commands: imc,imc-pkexec name: italc-master version: 1:3.0.3+dfsg1-3 commands: italc name: itamae version: 1.9.10-1 commands: itamae name: itksnap version: 3.6.0-2 commands: itksnap name: itools version: 1.0-6 commands: ical,idate,ipraytime,ireminder name: itop version: 0.1-4build1 commands: itop name: itstool version: 2.0.2-3.1 commands: itstool name: iverilog version: 10.1-0.1build1 commands: iverilog,iverilog-vpi,vvp name: ivtools-bin version: 1.2.11a1-11 commands: comdraw,comterp,comtest,dclock,drawserv,drawtool,flipbook,gclock,glyphterp,graphdraw,iclass,idemo,idraw,ivtext,pnmtopgm,stdcmapppm name: iwatch version: 0.2.2-5 commands: iwatch name: iwyu version: 5.0-1 commands: fix_include,include-what-you-use,iwyu,iwyu_tool name: j4-dmenu-desktop version: 2.15-1 commands: j4-dmenu-desktop name: jaaa version: 0.8.4-4 commands: jaaa name: jabber-muc version: 0.8-6 commands: mu-conference name: jabber-querybot version: 0.1.0-1 commands: jabber-querybot name: jabberd2 version: 2.6.1-3build1 commands: jabberd2-c2s,jabberd2-router,jabberd2-s2s,jabberd2-sm name: jabref version: 3.8.2+ds-3 commands: jabref name: jacal version: 1b9-7ubuntu1 commands: jacal name: jack version: 3.1.1+cvs20050801-29.2 commands: jack name: jack-capture version: 0.9.73-3 commands: jack_capture,jack_capture_gui name: jack-delay version: 0.4.0-1 commands: jack_delay name: jack-keyboard version: 2.7.1-1build2 commands: jack-keyboard name: jack-midi-clock version: 0.4.3-1 commands: jack_mclk_dump,jack_midi_clock name: jack-mixer version: 10-1build2 commands: jack_mix_box,jack_mixer name: jack-rack version: 1.4.8~rc1-2ubuntu2 commands: ecarack,jack-rack name: jack-stdio version: 1.4-1build2 commands: jack-stdin,jack-stdout name: jack-tools version: 20131226-1build3 commands: jack-dl,jack-osc,jack-play,jack-plumbing,jack-record,jack-scope,jack-transport,jack-udp name: jackd1 version: 1:0.125.0-3 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_disconnect,jack_evmon,jack_freewheel,jack_impulse_grabber,jack_iodelay,jack_latent_client,jack_load,jack_load_test,jack_lsp,jack_metro,jack_midi_dump,jack_midiseq,jack_midisine,jack_monitor_client,jack_netsource,jack_property,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simple_client,jack_simple_session_client,jack_transport,jack_transport_client,jack_unload,jack_wait,jackd name: jackd2 version: 1.9.12~dfsg-2 commands: alsa_in,alsa_out,jack_alias,jack_bufsize,jack_connect,jack_control,jack_cpu,jack_cpu_load,jack_disconnect,jack_evmon,jack_freewheel,jack_iodelay,jack_latent_client,jack_load,jack_lsp,jack_metro,jack_midi_dump,jack_midi_latency_test,jack_midiseq,jack_midisine,jack_monitor_client,jack_multiple_metro,jack_net_master,jack_net_slave,jack_netsource,jack_rec,jack_samplerate,jack_server_control,jack_session_notify,jack_showtime,jack_simdtests,jack_simple_client,jack_simple_session_client,jack_test,jack_thru,jack_transport,jack_unload,jack_wait,jack_zombie,jackd,jackdbus name: jackeq version: 0.5.9-2.1 commands: jackeq name: jackmeter version: 0.4-1build2 commands: jack_meter name: jacksum version: 1.7.0-4.1 commands: jacksum name: jacktrip version: 1.1~repack-5build2 commands: jacktrip name: jag version: 0.3.5-1 commands: jag name: jags version: 4.3.0-1 commands: jags name: jailer version: 0.4-17.1 commands: jailer,updatejail name: jailtool version: 1.1-5 commands: update-jail name: jaligner version: 1.0+dfsg-4 commands: jaligner name: jalv version: 1.6.0~dfsg0-2 commands: jalv,jalv.gtk,jalv.gtk3,jalv.qt5 name: jalview version: 2.7.dfsg-5 commands: jalview name: jam version: 2.6-1build1 commands: jam,jam.perforce name: jamin version: 0.98.9~git20170111~199091~repack1-1 commands: jamin,jamin-scene name: jamnntpd version: 1.3-1 commands: jamnntpd,makechs name: janino version: 2.7.0-2 commands: janinoc name: janus version: 0.2.6-1build2 commands: janus name: janus-tools version: 0.2.6-1build2 commands: janus-pp-rec name: japa version: 0.8.4-2 commands: japa name: japi-compliance-checker version: 2.4-1 commands: japi-compliance-checker name: japitools version: 0.9.7-1 commands: japicompat,japilist,japiohtml,japiotext,japize name: jardiff version: 0.2-5 commands: jardiff name: jargon version: 4.0.0-5.1 commands: jargon name: jargoninformatique version: 1.3.6-0ubuntu7 commands: jargoninformatique name: jarwrapper version: 0.63ubuntu1 commands: jardetector,jarwrapper name: jasmin-sable version: 2.5.0-2 commands: jasmin name: java-propose-classpath version: 0.63ubuntu1 commands: java-propose-classpath name: java2html version: 0.9.2-5ubuntu2 commands: java2html name: javacc version: 5.0-8 commands: javacc,jjdoc,jjtree name: javacc4 version: 4.0-2 commands: javacc4,jjdoc4,jjtree4 name: javahelp2 version: 2.0.05.ds1-9 commands: jhindexer,jhsearch name: javahelper version: 0.63ubuntu1 commands: fetch-eclipse-source,jh_build,jh_classpath,jh_clean,jh_compilefeatures,jh_depends,jh_exec,jh_generateorbitdir,jh_installeclipse,jh_installjavadoc,jh_installlibs,jh_linkjars,jh_makepkg,jh_manifest,jh_repack,jh_setupenvironment name: javamorph version: 0.0.20100201-1.3 commands: javamorph name: jaxe version: 3.5-9 commands: jaxe,jaxe-editeurconfig name: jazip version: 0.34-15.1build1 commands: jazip,jazipconfig name: jbig2dec version: 0.13-6 commands: jbig2dec name: jbigkit-bin version: 2.1-3.1build1 commands: jbgtopbm,jbgtopbm85,pbmtojbg,pbmtojbg85 name: jbuilder version: 1.0~beta14-1 commands: jbuilder name: jcadencii version: 3.3.9+svn20110818.r1732-5 commands: jcadencii name: jcal version: 0.4.1-2build1 commands: jcal name: jclassinfo version: 0.19.1-7build1 commands: jclassinfo name: jclic version: 0.3.2.1-1 commands: jclic,jclic-libmanager,jclicauthor,jclicreports name: jconvolver version: 0.9.3-2 commands: fconvolver,jconvolver name: jd version: 1:2.8.9-150226-6 commands: jd name: jdelay version: 1.0-0ubuntu5 commands: jdelay name: jdns version: 2.0.3-1build1 commands: jdns name: jdresolve version: 0.6.1-5.1 commands: jdresolve,rhost name: jdupes version: 1.9-1 commands: jdupes name: jed version: 1:0.99.19-7 commands: editor,jed,jed-script name: jedit version: 5.5.0+dfsg-1 commands: jedit name: jeex version: 12.0.4-1build1 commands: jeex name: jekyll version: 3.1.6+dfsg-3 commands: jekyll name: jellyfish1 version: 1.1.11-3 commands: jellyfish1 name: jemboss version: 6.6.0+dfsg-6build1 commands: jemboss,runJemboss.sh name: jenkins-debian-glue version: 0.18.4 commands: adtsummary_tap,build-and-provide-package,checkbashism_tap,generate-git-snapshot,generate-reprepro-codename,generate-svn-snapshot,increase-version-number,jdg-debc,lintian-junit-report,pep8_tap,perlcritic_tap,piuparts_tap,piuparts_wrapper,remove-reprepro-codename,repository_checker,shellcheck_tap,tap_tool_dispatcher name: jester version: 1.0-12 commands: jester name: jetring version: 0.25 commands: jetring-accept,jetring-apply,jetring-build,jetring-checksum,jetring-diff,jetring-explode,jetring-gen,jetring-review,jetring-signindex name: jets3t version: 0.8.1+dfsg-3 commands: jets3t-cockpit,jets3t-cockpitlite,jets3t-synchronize,jets3t-uploader name: jeuclid-cli version: 3.1.9-4 commands: jeuclid-cli name: jeuclid-mathviewer version: 3.1.9-4 commands: jeuclid-mathviewer name: jflex version: 1.6.1-3 commands: jflex name: jfractionlab version: 0.91-3 commands: JFractionLab name: jftp version: 1.60+dfsg-2 commands: jftp name: jgit-cli version: 3.7.1-4 commands: jgit name: jgraph version: 83-23build1 commands: jgraph name: jhbuild version: 3.15.92+20171014~ed1297d-1 commands: jhbuild name: jhead version: 1:3.00-6 commands: jhead name: jid version: 0.7.2-2 commands: jid name: jigdo-file version: 0.7.3-5 commands: jigdo-file,jigdo-lite,jigdo-mirror name: jigl version: 2.0.1+20060126-5 commands: jigl,rotate name: jigsaw-generator version: 0.2.4-1 commands: jigsaw-generate name: jigzo version: 0.6.1-7 commands: jigzo name: jikespg version: 1.3-3build1 commands: jikespg name: jimsh version: 0.77+dfsg0-2 commands: jimsh name: jing version: 20151127+dfsg-1 commands: jing name: jirc version: 1.0-1 commands: jirc name: jison version: 0.4.17+dfsg-3build2 commands: jison name: jkmeter version: 0.6.1-5 commands: jkmeter name: jlex version: 1.2.6-8 commands: jlex name: jlha-utils version: 0.1.6-4 commands: jlha,lha,lzh-archiver name: jmacro version: 0.6.14-4build1 commands: jmacro name: jmapviewer version: 2.7+dfsg-1 commands: jmapviewer name: jmdlx version: 0.4-9 commands: jmdlx name: jmeter version: 2.13-3 commands: jmeter,jmeter-server name: jmeters version: 0.4.1-4 commands: jmeters name: jmodeltest version: 2.1.10+dfsg-5 commands: jmodeltest,runjmodeltest-cluster,runjmodeltest-gui name: jmol version: 14.6.4+2016.11.05+dfsg1-3.1 commands: jmol name: jmtpfs version: 0.5-2build1 commands: jmtpfs name: jnettop version: 0.13.0-1ubuntu3 commands: jnettop name: jnoise version: 0.6.0-6 commands: jnoise name: jnoisemeter version: 0.1.0-4 commands: jnoisemeter name: jo version: 1.1-1 commands: jo name: jobs-admin version: 0.8.0-0ubuntu4 commands: jobs-admin name: jobservice version: 0.8.0-0ubuntu4 commands: jobservice name: jodconverter version: 2.2.2-9 commands: jodconverter name: jodreports-cli version: 2.4.0-3 commands: jodreports name: joe version: 4.6-1 commands: editor,jmacs,joe,jpico,jstar,rjoe name: joe-jupp version: 3.1.35-2 commands: jmacs,joe,jpico,jstar,pico,rjoe name: jose version: 10-2build1 commands: jose name: josm version: 0.0.svn13576+dfsg-3 commands: josm name: jove version: 4.16.0.73-5 commands: editor,emacs,jove,teachjove name: jovie version: 4:17.08.3-0ubuntu1 commands: jovie name: joy2key version: 1.6.3-2 commands: joy2key name: joystick version: 1:1.6.0-2 commands: evdev-joystick,ffcfstress,ffmvforce,ffset,fftest,jscal,jscal-restore,jscal-store,jstest name: jp2a version: 1.0.6-7 commands: jp2a name: jparse version: 1.4.0-5build1 commands: jparse name: jpeginfo version: 1.6.0-6build1 commands: jpeginfo name: jpegjudge version: 0.0.2-3 commands: jpegjudge name: jpegoptim version: 1.4.4-1 commands: jpegoptim name: jpegpixi version: 1.1.1-4.1build1 commands: jpeghotp,jpegpixi name: jpilot version: 1.8.2-2 commands: jpilot,jpilot-dial,jpilot-dump,jpilot-merge,jpilot-sync name: jpnevulator version: 2.3.4-1 commands: jpnevulator name: jq version: 1.5+dfsg-2 commands: jq name: jruby version: 9.1.13.0-1 commands: ast,jgem,jirb,jirb_swing,jruby,jruby-gem,jruby-rdoc,jruby-ri,jruby-testrb,jrubyc name: jsamp version: 1.3.5-1 commands: jsamp name: jsbeautifier version: 1.6.4-6 commands: js-beautify name: jsdoc-toolkit version: 2.4.0+dfsg-6 commands: jsdoc name: jshon version: 20131010-3build1 commands: jshon name: json-glib-tools version: 1.4.2-3 commands: json-glib-format,json-glib-validate name: jsonlint version: 1.7.1-1 commands: jsonlint-php name: jstest-gtk version: 0.1.1~git20160825-2 commands: jstest-gtk name: jsurf-alggeo version: 0.3.0+ds-1 commands: jsurf-alggeo name: jsvc version: 1.0.15-8 commands: jsvc name: jtb version: 1.4.12-1.1 commands: jtb name: jtreg version: 4.2-b10-1 commands: jtdiff,jtreg name: juce-tools version: 5.2.1~repack-2 commands: Projucer name: juffed version: 0.10-85-g5ba17f9-17 commands: juffed name: jugglinglab version: 0.6.2+ds.1-2 commands: jugglinglab name: juju-deployer version: 0.6.4-0ubuntu1 commands: juju-deployer name: juk version: 4:17.12.3-0ubuntu1 commands: juk name: juman version: 7.0-3.4 commands: juman name: jumpnbump version: 1.60-3 commands: gobpack,jnbpack,jnbunpack,jumpnbump name: junit version: 3.8.2-9 commands: junit name: jupp version: 3.1.35-2 commands: editor,jupp name: jupyter-client version: 5.2.2-1 commands: jupyter-kernel,jupyter-kernelspec,jupyter-run name: jupyter-console version: 5.2.0-1 commands: jupyter-console name: jupyter-core version: 4.4.0-2 commands: jupyter,jupyter-migrate,jupyter-troubleshoot name: jupyter-nbconvert version: 5.3.1-1 commands: jupyter-nbconvert name: jupyter-nbformat version: 4.4.0-1 commands: jupyter-trust name: jupyter-notebook version: 5.2.2-1 commands: jupyter-bundlerextension,jupyter-nbextension,jupyter-notebook,jupyter-serverextension name: jupyter-qtconsole version: 4.3.1-1 commands: jupyter-qtconsole name: jvim-canna version: 3.0-2.1b-3build2 commands: editor,jvim,vi name: jwm version: 2.3.7-1 commands: jwm,x-window-manager name: jxplorer version: 3.3.2+dfsg-5 commands: jxplorer name: jython version: 2.7.1+repack-3 commands: jython name: jzip version: 210r20001005d-4build1 commands: ckifzs,jzexe,jzip,jzip-launcher,zcode-interpreter name: k3b version: 17.12.3-0ubuntu3 commands: k3b name: k3d version: 0.8.0.6-6build1 commands: k3d,k3d-renderframe,k3d-renderjob,k3d-sl2xml,k3d-uuidgen name: k4dirstat version: 3.1.3-1 commands: k4dirstat name: kacpimon version: 1:2.0.28-1ubuntu1 commands: kacpimon name: kactivities-bin version: 5.44.0-0ubuntu1 commands: kactivities-cli name: kactivitymanagerd version: 5.12.4-0ubuntu1 commands: kactivitymanagerd name: kadu version: 4.1-1.1 commands: kadu name: kaffeine version: 2.0.14-1 commands: kaffeine name: kafkacat version: 1.3.1-1 commands: kafkacat name: kajongg version: 4:17.12.3-0ubuntu1 commands: kajongg,kajonggserver name: kakasi version: 2.3.6-1build1 commands: atoc_conv,kakasi,mkkanwa,rdic_conv,wx2_conv name: kakoune version: 0~2016.12.20.1.3a6167ae-1build1 commands: kak name: kali version: 3.1-18 commands: kali,kaliprint name: kalign version: 1:2.03+20110620-4 commands: kalign name: kalzium version: 4:17.12.3-0ubuntu1 commands: kalzium name: kamailio version: 5.1.2-1ubuntu2 commands: kamailio,kamcmd,kamctl,kamdbctl name: kamailio-berkeley-bin version: 5.1.2-1ubuntu2 commands: kambdb_recover name: kamerka version: 0.8.1-1build1 commands: kamerka name: kamoso version: 3.2.4-1 commands: kamoso name: kanagram version: 4:17.12.3-0ubuntu1 commands: kanagram name: kanatest version: 0.4.8-4 commands: kanatest name: kanboard-cli version: 0.0.2-1 commands: kanboard name: kanif version: 1.2.2-2 commands: kaget,kanif,kaput,kash name: kanjipad version: 2.0.0-8build1 commands: kanjipad,kpengine name: kannel version: 1.4.4-5 commands: bearerbox,decode_emimsg,mtbatch,run_kannel_box,seewbmp,smsbox,wapbox,wmlsc,wmlsdasm name: kannel-dev version: 1.4.4-5 commands: gw-config name: kannel-sqlbox version: 0.7.2-4build3 commands: sqlbox name: kanyremote version: 6.4-2 commands: kanyremote name: kapidox version: 5.44.0-0ubuntu1 commands: depdiagram-generate,depdiagram-generate-all,depdiagram-prepare,kapidox_generate name: kapman version: 4:17.12.3-0ubuntu1 commands: kapman name: kapptemplate version: 4:17.12.3-0ubuntu1 commands: kapptemplate name: karbon version: 1:3.0.1-0ubuntu4 commands: karbon name: karlyriceditor version: 1.11-2build1 commands: karlyriceditor name: karma-tools version: 0.1.2-2.5 commands: chprop,karma_helper,riocp name: kasumi version: 2.5-6 commands: kasumi name: katarakt version: 0.2-2 commands: katarakt name: kate version: 4:17.12.3-0ubuntu1 commands: kate name: katomic version: 4:17.12.3-0ubuntu1 commands: katomic name: kawari8 version: 8.2.8-8build1 commands: kawari_decode2,kawari_encode,kawari_encode2,kosui name: kayali version: 0.3.2-0ubuntu4 commands: kayali name: kazam version: 1.4.5-2 commands: kazam name: kball version: 0.0.20041216-10 commands: kball name: kbdd version: 0.6-4build1 commands: kbdd name: kbibtex version: 0.8~20170819git31a77b27e8e83836e-3build2 commands: kbibtex name: kblackbox version: 4:17.12.3-0ubuntu1 commands: kblackbox name: kblocks version: 4:17.12.3-0ubuntu1 commands: kblocks name: kboot-utils version: 0.4-1 commands: kboot-mkconfig,update-kboot name: kbounce version: 4:17.12.3-0ubuntu1 commands: kbounce name: kbreakout version: 4:17.12.3-0ubuntu1 commands: kbreakout name: kbruch version: 4:17.12.3-0ubuntu1 commands: kbruch name: kbtin version: 1.0.18-3 commands: KBtin,kbtin name: kbuild version: 1:0.1.9998svn3149+dfsg-3 commands: kDepIDB,kDepObj,kDepPre,kObjCache,kmk,kmk_append,kmk_ash,kmk_cat,kmk_chmod,kmk_cmp,kmk_cp,kmk_echo,kmk_expr,kmk_gmake,kmk_install,kmk_ln,kmk_md5sum,kmk_mkdir,kmk_mv,kmk_printf,kmk_redirect,kmk_rm,kmk_rmdir,kmk_sed,kmk_sleep,kmk_test,kmk_time,kmk_touch name: kcachegrind version: 4:17.12.3-0ubuntu1 commands: kcachegrind name: kcachegrind-converters version: 4:17.12.3-0ubuntu1 commands: dprof2calltree,hotshot2calltree,memprof2calltree,op2calltree,pprof2calltree name: kcalc version: 4:17.12.3-0ubuntu1 commands: kcalc name: kcapi-tools version: 1.0.3-2 commands: kcapi-dgst,kcapi-enc,kcapi-rng name: kcc version: 2.3-12.1build1 commands: kcc name: kcharselect version: 4:17.12.3-0ubuntu1 commands: kcharselect name: kcheckers version: 0.8.1-4 commands: kcheckers name: kchmviewer version: 7.5-1build1 commands: kchmviewer name: kcollectd version: 0.9-4build1 commands: kcollectd name: kcolorchooser version: 4:17.12.3-0ubuntu1 commands: kcolorchooser name: kcptun version: 20171201+ds-1 commands: kcptun-client,kcptun-server name: kdbg version: 2.5.5-3 commands: kdbg name: kdc2tiff version: 0.35-10 commands: kdc2jpeg,kdc2tiff name: kde-baseapps-bin version: 4:16.04.3-0ubuntu1 commands: kbookmarkmerger,kdialog,keditbookmarks name: kde-cli-tools version: 4:5.12.4-0ubuntu1 commands: kbroadcastnotification,kcmshell5,kde-open5,kdecp5,kdemv5,keditfiletype5,kioclient5,kmimetypefinder5,kstart5,ksvgtopng5,ktraderclient5 name: kde-config-fcitx version: 0.5.5-1 commands: kbd-layout-viewer name: kde-config-plymouth version: 5.12.4-0ubuntu1 commands: kplymouththemeinstaller name: kde-config-sddm version: 4:5.12.4-0ubuntu1 commands: sddmthemeinstaller name: kde-runtime version: 4:17.08.3-0ubuntu1 commands: kcmshell4,kde-cp,kde-mv,kde-open,kde4,kde4-menu,kdebugdialog,keditfiletype,kfile4,kglobalaccel,khotnewstuff-upload,khotnewstuff4,kiconfinder,kioclient,kmimetypefinder,knotify4,kquitapp,kreadconfig,kstart,ksvgtopng,ktraderclient,ktrash,kuiserver,kwalletd,kwriteconfig,plasma-remote-helper,plasmapkg,solid-hardware name: kde-spectacle version: 17.12.3-0ubuntu1 commands: spectacle name: kde-style-oxygen-qt4 version: 4:5.12.4-0ubuntu1 commands: oxygen-demo name: kde-style-oxygen-qt5 version: 4:5.12.4-0ubuntu1 commands: oxygen-settings5 name: kde-telepathy-call-ui version: 17.12.3-0ubuntu2 commands: ktp-dialout-ui name: kde-telepathy-contact-list version: 4:17.12.3-0ubuntu1 commands: ktp-contactlist name: kde-telepathy-debugger version: 4:17.12.3-0ubuntu1 commands: ktp-debugger name: kde-telepathy-send-file version: 4:17.12.3-0ubuntu1 commands: ktp-send-file name: kdebugsettings version: 17.12.3-0ubuntu1 commands: kdebugsettings name: kdeconnect version: 1.3.0-0ubuntu1 commands: kdeconnect-cli,kdeconnect-handler,kdeconnect-indicator name: kded5 version: 5.44.0-0ubuntu1 commands: kded5 name: kdelibs-bin version: 4:4.14.38-0ubuntu3 commands: kbuildsycoca4,kcookiejar4,kde4-config,kded4,kdeinit4,kdeinit4_shutdown,kdeinit4_wrapper,kjs,kjscmd,kmailservice,kross,kshell4,ktelnetservice,kwrapper4 name: kdelibs5-dev version: 4:4.14.38-0ubuntu3 commands: checkXML,kconfig_compiler,kunittestmodrunner,makekdewidgets,preparetips name: kdenlive version: 4:17.12.3-0ubuntu1 commands: kdenlive,kdenlive_render name: kdepasswd version: 4:16.04.3-0ubuntu1 commands: kdepasswd name: kdesdk-scripts version: 4:17.12.3-0ubuntu1 commands: adddebug,build-progress.sh,c++-copy-class-and-file,c++-rename-class-and-file,cheatmake,colorsvn,create_cvsignore,create_makefile,create_makefiles,create_svnignore,cvs-clean,cvsaddcurrentdir,cvsbackport,cvsblame,cvscheck,cvsforwardport,cvslastchange,cvslastlog,cvsrevertlast,cvsversion,cxxmetric,draw_lib_dependencies,extend_dmalloc,extractattr,extractrc,findmissingcrystal,fix-include.sh,fixkdeincludes,fixuifiles,grantlee_strings_extractor.py,includemocs,kde-systemsettings-tree.py,kde_generate_export_header,kdedoc,kdekillall,kdelnk2desktop.py,kdemangen.pl,krazy-licensecheck,makeobj,noncvslist,nonsvnlist,optimizegraphics,package_crystalsvg,png2mng.pl,pruneemptydirs,qtdoc,reviewboard-am,svn-clean-kde,svnbackport,svnchangesince,svnforwardport,svngettags,svnintegrate,svnlastchange,svnlastlog,svnrevertlast,svnversions,uncrustify-kf5,wcgrep,zonetab2pot.py name: kdesrc-build version: 1.15.1-1.1 commands: kdesrc-build,kdesrc-build-setup name: kdesvn version: 2.0.0-4 commands: kdesvn,kdesvnaskpass name: kdevelop version: 4:5.2.1-1ubuntu4 commands: kdev_dbus_socket_transformer,kdev_format_source,kdev_includepathsconverter,kdevelop,kdevelop!,kdevplatform_shell_environment.sh name: kdevelop-pg-qt version: 2.1.0-1 commands: kdev-pg-qt name: kdf version: 4:17.12.3-0ubuntu1 commands: kdf,kwikdisk name: kdialog version: 17.12.3-0ubuntu1 commands: kdialog,kdialog_progress_helper name: kdiamond version: 4:17.12.3-0ubuntu1 commands: kdiamond name: kdiff3 version: 0.9.98-4 commands: kdiff3 name: kdiff3-qt version: 0.9.98-4 commands: kdiff3 name: kdocker version: 5.0-1 commands: kdocker name: kdoctools version: 4:4.14.38-0ubuntu3 commands: meinproc4,meinproc4_simple name: kdoctools5 version: 5.44.0-0ubuntu1 commands: checkXML5,meinproc5 name: kdrill version: 6.5deb2-11build1 commands: kdrill name: kea-admin version: 1.1.0-1build2 commands: perfdhcp name: kea-common version: 1.1.0-1build2 commands: kea-lfc,kea-msg-compiler name: kea-dhcp-ddns-server version: 1.1.0-1build2 commands: kea-dhcp-ddns name: kea-dhcp4-server version: 1.1.0-1build2 commands: kea-dhcp4 name: kea-dhcp6-server version: 1.1.0-1build2 commands: kea-dhcp6 name: keditbookmarks version: 17.12.3-0ubuntu1 commands: kbookmarkmerger,keditbookmarks name: keepass2 version: 2.38+dfsg-1 commands: keepass2 name: keepassx version: 2.0.3-1 commands: keepassx name: keepassxc version: 2.3.1+dfsg.1-1 commands: keepassxc,keepassxc-cli,keepassxc-proxy name: keepnote version: 0.7.8-1.1 commands: keepnote name: kelbt version: 0.16-1.1 commands: kelbt name: kephra version: 0.4.3.34+dfsg-2 commands: kephra name: kernel-package version: 13.018+nmu1 commands: kernel-packageconfig,make-kpkg name: kernel-patch-scripts version: 0.99.36+nmu4 commands: lskpatches name: kerneloops-applet version: 0.12+git20140509-6ubuntu2 commands: kerneloops-applet name: kernelshark version: 2.6.1-0.1 commands: kernelshark,trace-graph,trace-view name: kerneltop version: 0.91-2build1 commands: kerneltop name: ketchup version: 1.0.1+git20111228+e1c62066-2 commands: ketchup name: ketm version: 0.0.6-24 commands: ketm name: keurocalc version: 1.2.3-1build1 commands: curconvd,keurocalc name: kexi version: 1:3.1.0-2 commands: kexi-3.1 name: key-mon version: 1.17-1ubuntu1 commands: key-mon name: key2odp version: 0.9.6-1 commands: key2odp name: keyboardcast version: 0.1.1-0ubuntu5 commands: keyboardcast name: keyboards-rg version: 0.3 commands: cyrx,eox,skx name: keychain version: 2.8.2-0.1 commands: keychain name: keylaunch version: 1.3.9build1 commands: keylaunch name: keymapper version: 0.5.3-10.1build2 commands: gen_keymap name: keynav version: 0.20110708.0-4 commands: keynav name: keyringer version: 0.5.0-2 commands: keyringer name: keytouch-editor version: 1:3.2.0~beta-3build1 commands: keytouch-editor name: kfilereplace version: 4:17.08.3-0ubuntu1 commands: kfilereplace name: kfind version: 4:17.12.3-0ubuntu1 commands: kfind name: kfloppy version: 4:17.12.3-0ubuntu1 commands: kfloppy name: kfourinline version: 4:17.12.3-0ubuntu1 commands: kfourinline,kfourinlineproc name: kfritz version: 0.0.12a-0ubuntu4 commands: kfritz name: kgb-bot version: 1.48-1 commands: kgb-add-project,kgb-bot,kgb-split-config name: kgb-client version: 1.48-1 commands: kgb-ci-report,kgb-client name: kgendesignerplugin version: 5.44.0-0ubuntu1 commands: kgendesignerplugin name: kgeography version: 4:17.12.3-0ubuntu1 commands: kgeography name: kget version: 4:17.12.3-0ubuntu1 commands: kget name: kgoldrunner version: 4:17.12.3-0ubuntu2 commands: kgoldrunner name: kgpg version: 4:17.12.3-0ubuntu1 commands: kgpg name: kgraphviewer version: 4:2.1.90-0ubuntu3 commands: kgrapheditor,kgraphviewer name: khal version: 1:0.9.8-1 commands: ikhal,khal name: khangman version: 4:17.12.3-0ubuntu1 commands: khangman name: khard version: 0.12.2-2 commands: khard name: khelpcenter version: 4:17.12.3-0ubuntu1 commands: khelpcenter name: khmerconverter version: 1.4-1.2 commands: khmerconverter name: kid3 version: 3.5.1-1 commands: kid3 name: kid3-cli version: 3.5.1-1 commands: kid3-cli name: kid3-qt version: 3.5.1-1 commands: kid3-qt name: kig version: 4:17.12.3-0ubuntu1 commands: kig,pykig.py name: kigo version: 4:17.12.3-0ubuntu2 commands: kigo name: kiki version: 0.5.6-8.1fakesync1 commands: kiki name: kiki-the-nano-bot version: 1.0.2+dfsg1-6build1 commands: kiki-the-nano-bot name: kildclient version: 3.2.0-2 commands: kildclient name: kile version: 4:2.9.91-4 commands: kile name: killbots version: 4:17.12.3-0ubuntu1 commands: killbots name: killer version: 0.90-12 commands: killer name: kimagemapeditor version: 4:17.12.3-0ubuntu1 commands: kimagemapeditor name: kimwitu version: 4.6.1-7.2 commands: kc name: kimwitu++ version: 2.3.13-2ubuntu1 commands: kc++ name: kindleclip version: 0.6-1 commands: kindleclip name: kineticstools version: 0.6.1+20161222-1ubuntu1 commands: ipdSummary,summarizeModifications name: kinfocenter version: 4:5.12.4-0ubuntu1 commands: kinfocenter name: king version: 2.23.161103+dfsg1-2 commands: king name: king-probe version: 2.13.110909-2 commands: king-probe name: kinit version: 5.44.0-0ubuntu1 commands: kdeinit5,kdeinit5_shutdown,kdeinit5_wrapper,kshell5,kwrapper5 name: kino version: 1.3.4-2.4 commands: kino,kino2raw name: kinput2-canna version: 3.1-13build1 commands: kinput2,kinput2-canna name: kinput2-canna-wnn version: 3.1-13build1 commands: kinput2,kinput2-canna-wnn name: kinput2-wnn version: 3.1-13build1 commands: kinput2,kinput2-wnn name: kio version: 5.44.0-0ubuntu1 commands: kcookiejar5,ktelnetservice5,ktrash5,protocoltojson name: kirigami-gallery version: 5.44.0-0ubuntu1 commands: applicationitemapp,kirigami2gallery name: kiriki version: 4:17.12.3-0ubuntu1 commands: kiriki name: kism3d version: 0.2.2-14build1 commands: kism3d name: kismet version: 2016.07.R1-1.1~build1 commands: kismet,kismet_capture,kismet_client,kismet_drone,kismet_server name: kiten version: 4:17.12.3-0ubuntu1 commands: kiten,kitengen,kitenkanjibrowser,kitenradselect name: kjots version: 4:5.0.2-1ubuntu1 commands: kjots name: kjumpingcube version: 4:17.12.3-0ubuntu1 commands: kjumpingcube name: klash version: 0.8.11~git20160608-1.4 commands: gnash-qt-launcher,klash,qt4-gnash name: klatexformula version: 4.0.0-3 commands: klatexformula,klatexformula_cmdl name: klaus version: 1.2.1-3 commands: klaus name: klavaro version: 3.02-1 commands: klavaro name: kleopatra version: 4:17.12.3-0ubuntu1 commands: kleopatra,kwatchgnupg name: klettres version: 4:17.12.3-0ubuntu1 commands: klettres name: klick version: 0.12.2-4build1 commands: klick name: klickety version: 4:17.12.3-0ubuntu1 commands: klickety name: klines version: 4:17.12.3-0ubuntu1 commands: klines name: klinkstatus version: 4:17.08.3-0ubuntu1 commands: klinkstatus name: klog version: 0.9.2.9-1 commands: klog name: klone-package version: 0.3 commands: make-klone-project name: kluppe version: 0.6.20-1.1 commands: kluppe name: klustakwik version: 2.0.1-1build1 commands: KlustaKwik name: klystrack version: 0.20171212-2 commands: klystrack name: kmag version: 4:17.12.3-0ubuntu2 commands: kmag name: kmahjongg version: 4:17.12.3-0ubuntu1 commands: kmahjongg name: kmc version: 2.3+dfsg-5 commands: kmc,kmc_dump,kmc_tools name: kmenuedit version: 4:5.12.4-0ubuntu1 commands: kmenuedit name: kmetronome version: 0.10.1-2 commands: kmetronome name: kmflcomp version: 0.9.10-1 commands: kmflcomp name: kmidimon version: 0.7.5-3 commands: kmidimon name: kmines version: 4:17.12.3-0ubuntu1 commands: kmines name: kmix version: 4:17.12.3-0ubuntu1 commands: kmix,kmixctrl,kmixremote name: kmldonkey version: 4:2.0.5+kde4.3.3-0ubuntu2 commands: kmldonkey name: kmousetool version: 4:17.12.3-0ubuntu2 commands: kmousetool name: kmouth version: 4:17.12.3-0ubuntu1 commands: kmouth name: kmplayer version: 1:0.12.0b-2 commands: kmplayer,knpplayer,kphononplayer name: kmplot version: 4:17.12.3-0ubuntu1 commands: kmplot name: kmscube version: 0.0.0~git20170508-1 commands: kmscube name: kmymoney version: 5.0.1-2 commands: kmymoney name: knavalbattle version: 4:17.12.3-0ubuntu1 commands: knavalbattle name: knetwalk version: 4:17.12.3-0ubuntu1 commands: knetwalk name: knews version: 1.0b.1-31build1 commands: knews,knewsd,tcp_relay name: knights version: 2.5.0-2build1 commands: knights name: knockd version: 0.7-1ubuntu1 commands: knock,knockd name: knocker version: 0.7.1-5 commands: knocker name: knockpy version: 4.1.0-1 commands: knockpy name: knode version: 4:4.14.10-7 commands: knode name: knot version: 2.6.5-3 commands: keymgr,kjournalprint,knotc,knotd,knsec3hash,kzonecheck,pykeymgr name: knot-dnsutils version: 2.6.5-3 commands: kdig,knsupdate name: knot-host version: 2.6.5-3 commands: khost name: knowthelist version: 2.3.0-2build2 commands: knowthelist name: knutclient version: 1.0.5-2 commands: knutclient name: kobodeluxe version: 0.5.1-8build1 commands: kobodl name: kodi version: 2:17.6+dfsg1-1ubuntu1 commands: kodi,kodi-standalone name: kodi-addons-dev version: 2:17.6+dfsg1-1ubuntu1 commands: dh_kodiaddon_depends name: kodi-eventclients-kodi-send version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-send name: kodi-eventclients-ps3 version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-ps3remote name: kodi-eventclients-wiiremote version: 2:17.6+dfsg1-1ubuntu1 commands: kodi-wiiremote name: koji-client version: 1.10.0-1 commands: koji name: koji-servers version: 1.10.0-1 commands: koji-gc,koji-shadow,kojid,kojira,kojivmd name: kolf version: 4:17.12.3-0ubuntu1 commands: kolf name: kollision version: 4:17.12.3-0ubuntu1 commands: kollision name: kolourpaint version: 4:17.12.3-0ubuntu1 commands: kolourpaint name: komi version: 1.04-5build1 commands: komi name: komparator version: 4:1.0-3 commands: komparator4 name: kompare version: 4:17.12.3-0ubuntu1 commands: kompare name: konclude version: 0.6.2~dfsg-3 commands: Konclude name: konq-plugins version: 4:16.04.3-0ubuntu1 commands: fsview name: konqueror version: 4:16.04.3-0ubuntu1 commands: kfmclient,konqueror,x-www-browser name: konqueror-nsplugins version: 4:16.04.3-0ubuntu1 commands: nspluginscan,nspluginviewer name: konquest version: 4:17.12.3-0ubuntu2 commands: konquest name: konsole version: 4:17.12.3-1ubuntu1 commands: konsole,konsoleprofile,x-terminal-emulator name: kontrolpack version: 3.0.0-0ubuntu4 commands: kontrolpack name: konversation version: 1.7.4-1ubuntu1 commands: konversation name: konwert version: 1.8-13 commands: filterm,konwert,trs name: kopano-archiver version: 8.5.5-0ubuntu1 commands: kopano-archiver name: kopano-backup version: 8.5.5-0ubuntu1 commands: kopano-backup name: kopano-dagent version: 8.5.5-0ubuntu1 commands: kopano-autorespond,kopano-dagent,kopano-mr-accept,kopano-mr-process name: kopano-gateway version: 8.5.5-0ubuntu1 commands: kopano-gateway name: kopano-ical version: 8.5.5-0ubuntu1 commands: kopano-ical name: kopano-monitor version: 8.5.5-0ubuntu1 commands: kopano-monitor name: kopano-presence version: 8.5.5-0ubuntu1 commands: kopano-presence name: kopano-search version: 8.5.5-0ubuntu1 commands: kopano-search name: kopano-server version: 8.5.5-0ubuntu1 commands: kopano-server name: kopano-spooler version: 8.5.5-0ubuntu1 commands: kopano-spooler name: kopano-utils version: 8.5.5-0ubuntu1 commands: kopano-admin,kopano-archiver-aclset,kopano-archiver-aclsync,kopano-archiver-restore,kopano-cachestat,kopano-fsck,kopano-mailbox-permissions,kopano-migration-imap,kopano-migration-pst,kopano-passwd,kopano-set-oof,kopano-stats name: kopete version: 4:17.08.3-0ubuntu3 commands: kopete,kopete_latexconvert.sh,libjingle-call,winpopup-install,winpopup-send name: koules version: 1.4-24 commands: koules,xkoules name: kover version: 1:6-1build1 commands: kover name: kpackagelauncherqml version: 5.44.0-0ubuntu3 commands: kpackagelauncherqml name: kpackagetool5 version: 5.44.0-0ubuntu1 commands: kpackagetool5 name: kpartloader version: 4:17.12.3-0ubuntu1 commands: kpartloader name: kpat version: 4:17.12.3-0ubuntu1 commands: kpat name: kpcli version: 3.1-3 commands: kpcli name: kphotoalbum version: 5.3-1 commands: kpa-backup.sh,kphotoalbum,open-raw.pl name: kppp version: 4:17.08.3-0ubuntu1 commands: kppp,kppplogview name: kprinter4 version: 12-1build1 commands: kprinter4 name: kradio4 version: 4.0.8+git20170124-1 commands: kradio4,kradio4-convert-presets name: kraken version: 1.1-2 commands: kraken,kraken-build,kraken-filter,kraken-mpa-report,kraken-report,kraken-translate name: krank version: 0.7+dfsg2-3 commands: krank name: kraptor version: 0.0.20040403+ds-1 commands: kraptor name: krb5-admin-server version: 1.16-2build1 commands: kadmin.local,kadmind,kprop,krb5_newrealm name: krb5-auth-dialog version: 3.26.1-1 commands: krb5-auth-dialog name: krb5-gss-samples version: 1.16-2build1 commands: gss-client,gss-server name: krb5-kdc version: 1.16-2build1 commands: kdb5_util,kproplog,krb5kdc name: krb5-kdc-ldap version: 1.16-2build1 commands: kdb5_ldap_util name: krb5-kpropd version: 1.16-2build1 commands: kpropd name: krb5-strength version: 3.1-1 commands: heimdal-history,heimdal-strength,krb5-strength-wordlist name: krb5-sync-tools version: 3.1-1build2 commands: krb5-sync,krb5-sync-backend name: krb5-user version: 1.16-2build1 commands: k5srvutil,kadmin,kdestroy,kinit,klist,kpasswd,ksu,kswitch,ktutil,kvno name: krdc version: 4:17.12.3-0ubuntu2 commands: krdc name: krecipes version: 2.1.0-3 commands: krecipes name: kredentials version: 2.0~pre3-1.1build1 commands: kredentials name: kremotecontrol version: 4:17.08.3-0ubuntu1 commands: krcdnotifieritem name: krename version: 5.0.0-1 commands: krename name: kreversi version: 4:17.12.3-0ubuntu2 commands: kreversi name: krfb version: 4:17.12.3-0ubuntu1 commands: krfb name: krita version: 1:4.0.1+dfsg-0ubuntu1 commands: krita,kritarunner name: kronometer version: 2.2.1-2 commands: kronometer name: kross version: 5.44.0-0ubuntu1 commands: kf5kross name: kruler version: 4:17.12.3-0ubuntu1 commands: kruler name: krusader version: 2:2.6.0-1 commands: krusader name: kscd version: 4:17.08.3-0ubuntu1 commands: kscd name: kscreen version: 4:5.12.4-0ubuntu1 commands: kscreen-console name: ksh version: 93u+20120801-3.1ubuntu1 commands: ksh,ksh93,rksh,rksh93,shcomp name: kshisen version: 4:17.12.3-0ubuntu1 commands: kshisen name: kshutdown version: 4.2-1 commands: kshutdown name: ksirk version: 4:17.12.3-0ubuntu1 commands: ksirk,ksirkskineditor name: ksmtuned version: 4.20150325build1 commands: ksmctl,ksmtuned name: ksnakeduel version: 4:17.12.3-0ubuntu2 commands: ksnakeduel name: kspaceduel version: 4:17.12.3-0ubuntu2 commands: kspaceduel name: ksquares version: 4:17.12.3-0ubuntu1 commands: ksquares name: ksshaskpass version: 4:5.12.4-0ubuntu1 commands: ksshaskpass,ssh-askpass name: kst version: 2.0.8-2 commands: kst2 name: kstars version: 5:2.9.4-1ubuntu1 commands: kstars name: kstart version: 4.2-1 commands: k5start,krenew name: ksudoku version: 4:17.12.3-0ubuntu2 commands: ksudoku name: ksysguard version: 4:5.12.4-0ubuntu1 commands: ksysguard name: ksysguardd version: 4:5.12.4-0ubuntu1 commands: ksysguardd name: ksystemlog version: 4:17.12.3-0ubuntu1 commands: ksystemlog name: ktap version: 0.4+git20160427-1ubuntu3 commands: ktap name: kteatime version: 4:17.12.3-0ubuntu1 commands: kteatime name: kterm version: 6.2.0-46.2 commands: kterm,x-terminal-emulator name: ktikz version: 0.12+ds1-1 commands: ktikz name: ktimer version: 4:17.12.3-0ubuntu1 commands: ktimer name: ktimetracker version: 4:4.14.10-7 commands: karm,ktimetracker name: ktoblzcheck version: 1.49-4 commands: ktoblzcheck name: ktorrent version: 5.1.0-2 commands: ktmagnetdownloader,ktorrent,ktupnptest name: ktouch version: 4:17.12.3-0ubuntu1 commands: ktouch name: ktuberling version: 4:17.12.3-0ubuntu1 commands: ktuberling name: kturtle version: 4:17.12.3-0ubuntu1 commands: kturtle name: kubuntu-debug-installer version: 16.04ubuntu3 commands: installdbgsymbols.sh,kubuntu-debug-installer name: kuipc version: 20061220+dfsg3-4.3ubuntu1 commands: kuipc name: kuiviewer version: 4:17.12.3-0ubuntu1 commands: kuiviewer name: kup-backup version: 0.7.1+dfsg-1 commands: kup-daemon,kup-filedigger name: kup-client version: 0.3.4-3 commands: gpg-sign-all,kup name: kup-server version: 0.3.4-3 commands: kup-server name: kupfer version: 0+v319-2 commands: kupfer,kupfer-exec name: kuvert version: 2.2.2 commands: kuvert,kuvert_submit name: kvirc version: 4:4.9.3~git20180106+dfsg-1build1 commands: kvirc name: kvpm version: 0.9.10-1.1 commands: kvpm name: kvpnc version: 0.9.6a-4build1 commands: kvpnc name: kwalify version: 0.7.2-5 commands: kwalify name: kwalletcli version: 3.01-1 commands: kwalletaskpass,kwalletcli,kwalletcli_getpin,pinentry-kwallet,ssh-askpass name: kwalletmanager version: 4:17.12.3-0ubuntu1 commands: kwalletmanager5 name: kwave version: 17.12.3-0ubuntu1 commands: kwave name: kwin-wayland version: 4:5.12.4-0ubuntu2 commands: kwin_wayland name: kwin-x11 version: 4:5.12.4-0ubuntu2 commands: kwin,kwin_x11,x-window-manager name: kwordquiz version: 4:17.12.3-0ubuntu1 commands: kwordquiz name: kwrite version: 4:17.12.3-0ubuntu1 commands: kwrite name: kwstyle version: 1.0.1+git3224cf2-1 commands: KWStyle name: kxc version: 0.13+git20170730.6182dc8-1 commands: kxc,kxc-add-key,kxc-cryptsetup name: kxd version: 0.13+git20170730.6182dc8-1 commands: create-kxd-config,kxd,kxd-add-client-key name: kxstitch version: 1.3.0-1build1 commands: kxstitch name: kxterm version: 20061220+dfsg3-4.3ubuntu1 commands: kxterm name: kylin-burner version: 3.0.4-0ubuntu1 commands: burner name: kylin-display-switch version: 1.0.1-0ubuntu1 commands: kds name: kylin-greeter version: 18.04.2 commands: kylin-greeter name: kylin-video version: 1.1.6-0ubuntu1 commands: kylin-video name: kyotocabinet-utils version: 1.2.76-4.2 commands: kccachetest,kcdirmgr,kcdirtest,kcforestmgr,kcforesttest,kcgrasstest,kchashmgr,kchashtest,kclangctest,kcpolymgr,kcpolytest,kcprototest,kcstashtest,kctreemgr,kctreetest,kcutilmgr,kcutiltest name: kytos-utils version: 2017.2b1-2 commands: kytos name: l2tpns version: 2.2.1-2 commands: l2tpns,nsctl name: labltk version: 8.06.2+dfsg-1 commands: labltk,ocamlbrowser name: laborejo version: 0.8~ds0-2 commands: laborejo-qt name: labplot version: 2.4.0-1ubuntu4 commands: labplot2 name: labrea version: 2.5-stable-3build1 commands: labrea name: laby version: 0.6.4-2 commands: laby name: lacheck version: 1.26-17 commands: lacheck name: lacme version: 0.4-1 commands: lacme name: lacme-accountd version: 0.4-1 commands: lacme-accountd name: ladish version: 1+dfsg0-5.1 commands: jmcore,ladiconfd,ladish_control,ladishd name: laditools version: 1.1.0-2 commands: g15ladi,ladi-control-center,ladi-player,ladi-system-log,ladi-system-tray name: ladr4-apps version: 0.0.200911a-2.1build1 commands: attack,autosketches4,clausefilter,clausetester,complex,directproof,dprofiles,fof-prover9,get_givens,get_interps,get_kept,gvizify,idfilter,interpfilter,ladr_to_tptp,latfilter,looper,miniscope,mirror-flip,newauto,newsax,olfilter,perm3,renamer,rewriter,sigtest,tptp_to_ladr,unfast,upper-covers name: ladspa-sdk version: 1.13-3ubuntu2 commands: analyseplugin,applyplugin,listplugins name: ladspalist version: 3.7.1~repack-2 commands: ladspalist name: ladvd version: 1.1.1~pre1-2build1 commands: ladvd,ladvdc name: lakai version: 0.1-2 commands: lakbak,lakclear,lakres name: lam-runtime version: 7.1.4-3.1build1 commands: hboot,lamboot,lamclean,lamd,lamexec,lamgrow,lamhalt,laminfo,lamnodes,lamshrink,lamtrace,lamwipe,mpiexec,mpiexec.lam,mpimsg,mpirun,mpirun.lam,mpitask,recon,tkill,tping name: lam4-dev version: 7.1.4-3.1build1 commands: hcc,hcp,hf77,mpiCC,mpic++,mpic++.lam,mpicc,mpicc.lam,mpif77,mpif77.lam name: lamarc version: 2.1.10.1+dfsg-2 commands: lam_conv,lamarc name: lambda-align version: 1.0.3-3 commands: lambda,lambda_indexer name: lambdabot version: 5.0.3-4 commands: lambdabot name: lambdahack version: 0.5.0.0-2build5 commands: LambdaHack name: lame version: 3.100-2 commands: lame name: lammps version: 0~20161109.git9806da6-7 commands: lammps name: langdrill version: 0.3-8 commands: langdrill name: langford-utils version: 0.0.20130228-5ubuntu1 commands: langford_adc_util,langford_rf_fsynth,langford_rx_rf_bb_vga,langford_util name: laptop-mode-tools version: 1.71-2ubuntu1 commands: laptop_mode,lm-profiler,lm-syslog-setup,lmt-config-gui name: larch version: 1.1.2-2 commands: larch name: largetifftools version: 1.3.10-1 commands: tifffastcrop,tiffmakemosaic,tiffsplittiles name: laserboy version: 2016.03.15-1.1build2 commands: laserboy,laserboy-2012.11.11 name: last-align version: 921-1 commands: fastq-interleave,last-dotplot,last-map-probs,last-merge-batches,last-pair-probs,last-postmask,last-split,last-split8,last-train,lastal,lastal8,lastdb,lastdb8,maf-convert,maf-join,maf-sort,maf-swap,parallel-fasta,parallel-fastq name: lastpass-cli version: 1.0.0-1.2ubuntu1 commands: lpass name: latd version: 1.35 commands: latcp,latd,llogin,moprc name: late version: 0.1.0-13 commands: late name: latencytop version: 0.5ubuntu3 commands: latencytop name: latex-cjk-chinese version: 4.8.4+git20170127-2 commands: bg5+latex,bg5+pdflatex,bg5conv,bg5latex,bg5pdflatex,cef5conv,cef5latex,cef5pdflatex,cefconv,ceflatex,cefpdflatex,cefsconv,cefslatex,cefspdflatex,extconv,gbklatex,gbkpdflatex name: latex-cjk-common version: 4.8.4+git20170127-2 commands: hbf2gf name: latex-cjk-japanese version: 4.8.4+git20170127-2 commands: sjisconv,sjislatex,sjispdflatex name: latex-mk version: 2.1-2 commands: ieee-copyout,latex-mk name: latex209-bin version: 25.mar.1992-17 commands: latex209 name: latex2html version: 2018-debian1-1 commands: latex2html,latex2html.orig,pstoimg,texexpand name: latex2rtf version: 2.3.16-1 commands: latex2png,latex2rtf name: latexdiff version: 1.2.1-1 commands: latexdiff,latexdiff-cvs,latexdiff-fast,latexdiff-git,latexdiff-hg,latexdiff-rcs,latexdiff-svn,latexdiff-vc,latexrevise name: latexdraw version: 3.3.8+ds1-1 commands: latexdraw name: latexila version: 3.22.0-1 commands: latexila name: latexmk version: 1:4.41-1 commands: latexmk name: latexml version: 0.8.2-1 commands: latexml,latexmlc,latexmlfind,latexmlmath,latexmlpost name: latte-dock version: 0.7.4-0ubuntu2 commands: latte-dock name: launchtool version: 0.8-2build1 commands: launchtool name: launchy version: 2.5-4 commands: launchy name: lava-coordinator version: 0.1.7-1 commands: lava-coordinator name: lava-tool version: 0.24-1 commands: lava,lava-dashboard-tool,lava-tool name: lavacli version: 0.7-1 commands: lavacli name: lavapdu-client version: 0.0.5-1 commands: pduclient name: lavapdu-daemon version: 0.0.5-1 commands: lavapdu-listen,lavapdu-runner name: lazygal version: 0.9.1-1 commands: lazygal name: lbcd version: 3.5.2-3 commands: lbcd,lbcdclient name: lbreakout2 version: 2.6.5-1 commands: lbreakout2,lbreakout2server name: lbt version: 1.2.2-6 commands: lbt,lbt2dot name: lbzip2 version: 2.5-2 commands: lbunzip2,lbzcat,lbzip2 name: lcab version: 1.0b12-7 commands: lcab name: lcalc version: 1.23+dfsg-6build1 commands: lcalc name: lcas-lcmaps-gt4-interface version: 0.3.1-1 commands: gt4-interface-install name: lcd4linux version: 0.11.0~svn1203-2 commands: lcd4linux name: lcdf-typetools version: 2.106~dfsg-1 commands: cfftot1,mmafm,mmpfb,otfinfo,otftotfm,t1dotlessj,t1lint,t1rawafm,t1reencode,t1testpage,ttftotype42 name: lcdproc version: 0.5.9-2 commands: LCDd,lcdexec,lcdproc,lcdvc name: lcmaps-plugins-jobrep-admin version: 1.5.6-1build1 commands: jobrep-admin name: lcmaps-plugins-verify-proxy version: 1.5.10-2build1 commands: verify-proxy-tool name: lcov version: 1.13-3 commands: gendesc,genhtml,geninfo,genpng,lcov name: lcrack version: 20040914-1build1 commands: lcrack,lcrack_mktbl,lcrack_mkword,lcrack_regex name: ld10k1 version: 1.1.3-1 commands: dl10k1,ld10k1,lo10k1,lo10k1.bin name: ldap-git-backup version: 1.0.8-1 commands: ldap-git-backup,safe-ldif name: ldap2dns version: 0.3.1-3.2 commands: ldap2dns,ldap2tinydns-conf name: ldap2zone version: 0.2-9 commands: ldap2bind,ldap2zone name: ldapscripts version: 2.0.8-1ubuntu1 commands: ldapaddgroup,ldapaddmachine,ldapadduser,ldapaddusertogroup,ldapdeletegroup,ldapdeletemachine,ldapdeleteuser,ldapdeleteuserfromgroup,ldapfinger,ldapgid,ldapid,ldapinit,ldapmodifygroup,ldapmodifymachine,ldapmodifyuser,ldaprenamegroup,ldaprenamemachine,ldaprenameuser,ldapsetpasswd,ldapsetprimarygroup,lsldap name: ldaptor-utils version: 0.0.43+debian1-7 commands: ldaptor-fetchschema,ldaptor-find-server,ldaptor-getfreenumber,ldaptor-ldap2dhcpconf,ldaptor-ldap2dnszones,ldaptor-ldap2maradns,ldaptor-ldap2passwd,ldaptor-ldap2pdns,ldaptor-namingcontexts,ldaptor-passwd,ldaptor-rename,ldaptor-search name: ldapvi version: 1.7-10build1 commands: ldapvi name: ldb-tools version: 2:1.2.3-1 commands: ldbadd,ldbdel,ldbedit,ldbmodify,ldbrename,ldbsearch name: ldirectord version: 1:4.1.0~rc1-1ubuntu1 commands: ldirectord name: ldm version: 2:2.2.19-1 commands: ldm,ldm-dialog,ltsp-cluster-info name: ldm-server version: 2:2.2.19-1 commands: ldminfod name: ldmtool version: 0.2.3-7 commands: ldmtool name: ldnsutils version: 1.7.0-3ubuntu4 commands: drill,ldns-chaos,ldns-compare-zones,ldns-dane,ldns-dpa,ldns-gen-zone,ldns-key2ds,ldns-keyfetcher,ldns-keygen,ldns-mx,ldns-notify,ldns-nsec3-hash,ldns-read-zone,ldns-resolver,ldns-revoke,ldns-rrsig,ldns-signzone,ldns-test-edns,ldns-testns,ldns-update,ldns-verify-zone,ldns-version,ldns-walk,ldns-zcat,ldns-zsplit,ldnsd name: ldtp version: 2.3.1-1.1 commands: ldtp name: le version: 1.16.3-1 commands: editor,le name: le-dico-de-rene-cougnenc version: 1.3-2.3 commands: dico,killposte name: leaff version: 0~20150903+r2013-3 commands: leaff name: leafnode version: 1.11.11-1 commands: applyfilter,checkgroups,fetchnews,leafnode,leafnode-version,newsq,texpire,touch_newsgroup name: leafpad version: 0.8.18.1-5 commands: gnome-text-editor,leafpad name: leaktracer version: 2.4-6 commands: LeakCheck,leak-analyze name: leave version: 1.12-2.1build1 commands: leave name: lebiniou version: 3.24-1 commands: lebiniou name: lecm version: 0.0.7-1 commands: lecm name: ledger version: 3.1.2~pre1+g3a00e1c+dfsg1-5build5 commands: ledger name: ledger-autosync version: 0.3.5-1 commands: hledger-autosync,ledger-autosync name: ledit version: 2.03-6 commands: ledit,readline-editor name: ledmon version: 0.79-2build1 commands: ledctl,ledmon name: lefse version: 1.0.8-1 commands: format_input,lefse2circlader,plot_cladogram,plot_features,plot_res,qiime2lefse,run_lefse name: legit version: 0.4.1-3ubuntu1 commands: legit name: lego version: 0.3.1-5 commands: lego name: leiningen version: 2.8.1-6 commands: lein name: lemon version: 3.22.0-1 commands: lemon name: lemonbar version: 1.3-1 commands: lemonbar name: lemonldap-ng-fastcgi-server version: 1.9.16-2 commands: llng-fastcgi-server name: lemonpos version: 0.9.2-0ubuntu5 commands: lemon,squeeze name: leocad version: 18.01-1 commands: leocad name: leptonica-progs version: 1.75.3-3 commands: convertfilestopdf,convertfilestops,convertformat,convertsegfilestopdf,convertsegfilestops,converttopdf,converttops,fileinfo,xtractprotos name: lernid version: 1.0.9 commands: lernid name: letodms version: 3.4.2+dfsg-3 commands: letodms name: letterize version: 1.4-1build1 commands: letterize name: levee version: 3.5a-4 commands: editor,levee,vi name: lexicon version: 2.2.1-2 commands: lexicon name: lfc version: 1.10.0-2 commands: lfc-chgrp,lfc-chmod,lfc-chown,lfc-delcomment,lfc-dli-client,lfc-entergrpmap,lfc-enterusrmap,lfc-getacl,lfc-listgrpmap,lfc-listusrmap,lfc-ln,lfc-ls,lfc-mkdir,lfc-modifygrpmap,lfc-modifyusrmap,lfc-ping,lfc-rename,lfc-rm,lfc-rmgrpmap,lfc-rmusrmap,lfc-setacl,lfc-setcomment name: lfc-dli version: 1.10.0-2 commands: lfc-dli name: lfc-server-mysql version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfc-server-postgres version: 1.10.0-2 commands: lfc-shutdown,lfcdaemon name: lfhex version: 0.42-3.1build1 commands: lfhex name: lfm version: 3.1-1 commands: lfm name: lft version: 2.2-5 commands: lft name: lgc-pg version: 1.4.3-1 commands: lgc-pg name: lgogdownloader version: 3.3-1build1 commands: lgogdownloader name: lhasa version: 0.3.1-2 commands: lha,lhasa name: lhs2tex version: 1.19-5 commands: lhs2TeX name: lib3ds-dev version: 1.3.0-9 commands: 3dsdump name: liba52-0.7.4-dev version: 0.7.4-19 commands: a52dec,extract_a52 name: libaa-bin version: 1.4p5-44build2 commands: aafire,aainfo,aasavefont,aatest name: libaccounts-glib-tools version: 1.23+17.04.20161104-0ubuntu1 commands: ag-backup,ag-tool name: libace-perl version: 1.92-7 commands: ace name: libadasockets7-dev version: 1.10.1-1 commands: adasockets-config name: libadios-bin version: 1.13.0-1 commands: adios_config,adios_lint,adiosxml2h,bp2bp,bp2ncd,bpappend,bpdump,bpgettime,bpls,bpsplit,skel,skel_cat,skel_extract,skeldump name: libaec-tools version: 0.3.2-2 commands: aec name: libaff4-utils version: 0.24.post1-3 commands: aff4imager name: libafterimage-dev version: 2.2.12-11.1 commands: afterimage-config,afterimage-libs name: liballegro4-dev version: 2:4.4.2-10 commands: allegro-config,colormap,dat,dat2c,dat2s,exedat,grabber,pack,pat2dat,rgbmap,textconv name: libalut-dev version: 1.1.0-5 commands: freealut-config name: libam7xxx0.1-bin version: 0.1.6-2build1 commands: am7xxx-modeswitch,am7xxx-play,picoproj name: libambix-utils version: 0.1.1-1 commands: ambix-deinterleave,ambix-info,ambix-interleave,ambix-jplay,ambix-jrecord name: libantlr-dev version: 2.7.7+dfsg-9.2 commands: antlr-config name: libapache-asp-perl version: 2.62-2 commands: asp-perl name: libapache2-mod-log-sql version: 1.100-16.3 commands: make_combined_log2,mysql_import_combined_log2 name: libapache2-mod-md version: 1.1.0-1build1 commands: a2md name: libapache2-mod-nss version: 1.0.14-1build1 commands: nss_pcache name: libapache2-mod-qos version: 11.44-1build1 commands: qsexec,qsfilter2,qsgrep,qslog,qslogger,qspng,qsrotate,qssign,qstail name: libapache2-mod-security2 version: 2.9.2-1 commands: mlogc name: libapp-fatpacker-perl version: 0.010007-1 commands: fatpack name: libapp-nopaste-perl version: 1.011-1 commands: nopaste name: libapp-options-perl version: 1.12-2 commands: prefix,prefixadmin name: libapp-repl-perl version: 0.012-1 commands: iperl name: libapp-termcast-perl version: 0.13-3 commands: stream_ttyrec,termcast name: libapreq2-dev version: 2.13-5build3 commands: apreq2-config name: libaqbanking-dev version: 5.7.8-1 commands: aqbanking-config,dh_aqbanking name: libarchive-tools version: 3.2.2-3.1 commands: bsdcat,bsdcpio,bsdtar name: libaria-demo version: 2.8.0+repack-1.2ubuntu1 commands: aria-demo name: libassa-3.5-5-dev version: 3.5.1-6build1 commands: assa-genesis-3.5,assa-hexdump-3.5 name: libast2-dev version: 0.7-9 commands: libast-config name: libatasmart-bin version: 0.19-4 commands: skdump,sktest name: libatd-ocaml-dev version: 1.1.2-1build4 commands: atdcat name: libatdgen-ocaml-dev version: 1.9.1-2build2 commands: atdgen,atdgen-cppo,atdgen.run,cppo-json name: libatlas-cpp-0.6-tools version: 0.6.3-4ubuntu1 commands: atlas_convert name: libaudio-mpd-perl version: 2.004-2 commands: mpd-dump-ratings,mpd-dynamic,mpd-rate name: libaudio-scrobbler-perl version: 0.01-2.3 commands: scrobbler-helper name: libavc1394-tools version: 0.5.4-4build1 commands: dvcont,mkrfc2734,panelctl name: libavifile-0.7-bin version: 1:0.7.48~20090503.ds-20 commands: avibench,avicat,avimake,avitype name: libavifile-0.7-dev version: 1:0.7.48~20090503.ds-20 commands: avifile-config name: libaws-bin version: 17.2.2017-2 commands: ada2wsdl,aws_password,awsres,webxref,wsdl2aws name: libbash version: 0.9.11-2 commands: ldbash,ldbashconfig name: libbatik-java version: 1.9-3 commands: rasterizer,squiggle,svgpp,ttf2svg name: libbde-utils version: 20170902-2 commands: bdeinfo,bdemount name: libbg-dev version: 2.04+dfsg-1 commands: bg-installer,cli-generate name: libbiblio-endnotestyle-perl version: 0.06-1 commands: endnote-format name: libbiblio-thesaurus-perl version: 0.43-2 commands: tag2thesaurus,tax2thesaurus,thesaurus2any,thesaurus2htmls,thesaurus2tex,thesaurusTranslate name: libbiniou-ocaml-dev version: 1.0.12-2build2 commands: bdump name: libbio-eutilities-perl version: 1.75-3 commands: bp_einfo,bp_genbank_ref_extractor name: libbio-graphics-perl version: 2.40-2 commands: bam_coverage_windows,contig_draw,coverage_to_topoview,feature_draw,frend,glyph_help,render_msa,search_overview name: libbio-primerdesigner-perl version: 0.07-5 commands: primer_designer name: libbio-samtools-perl version: 1.43-1build3 commands: bam2bedgraph,bamToGBrowse.pl,chrom_sizes.pl,genomeCoverageBed.pl name: libbluray-bin version: 1:1.0.2-3 commands: bd_info name: libbonobo2-bin version: 2.32.1-3 commands: activation-client,bonobo-activation-run-query,bonobo-activation-sysconf,bonobo-slay,echo-client-2 name: libbonoboui2-bin version: 2.24.5-4 commands: bonobo-browser,test-moniker name: libboost-python1.62-dev version: 1.62.0+dfsg-5 commands: pyste name: libboost1.62-tools-dev version: 1.62.0+dfsg-5 commands: b2,bcp,bjam,inspect,quickbook name: libbot-basicbot-pluggable-perl version: 1.20-1 commands: bot-basicbot-pluggable name: libbot-training-perl version: 0.06-1 commands: bot-training name: libbotan1.10-dev version: 1.10.17-0.1 commands: botan-config-1.10 name: libbroccoli-dev version: 1.100-1build1 commands: broccoli-config name: libc++-helpers version: 6.0-2 commands: c++,clang++-libc++,g++-libc++ name: libc-icap-mod-urlcheck version: 1:0.4.4-1 commands: c-icap-mods-sguardDB name: libcacard-tools version: 1:2.5.0-3 commands: vscclient name: libcal3d12v5 version: 0.11.0-7 commands: cal3d_converter name: libcam-pdf-perl version: 1.60-3 commands: appendpdf,changepagestring,changepdfstring,changerefkeys,crunchjpgs,deillustrate,deletepdfpage,extractallimages,extractjpgs,fillpdffields,getpdffontobject,getpdfpage,getpdfpageobject,getpdftext,listfonts,listimages,listpdffields,pdfinfo.cam-pdf,readpdf,renderpdf,replacepdfobj,revertpdf,rewritepdf,setpdfbackground,setpdfpage,stamppdf,uninlinepdfimages name: libcamitk-dev version: 4.0.4-2ubuntu4 commands: camitk-cepgenerator,camitk-testactions,camitk-testcomponents,camitk-wizard name: libcangjie2-dev-tools version: 1.3-2build1 commands: libcangjie_bench,libcangjie_cli,libcangjie_dbbuilder name: libcanl-c-examples version: 3.0.0-2 commands: emi-canl-client,emi-canl-delegation,emi-canl-proxy-init,emi-canl-server name: libcap-ng-utils version: 0.7.7-3.1 commands: captest,filecap,netcap,pscap name: libcarp-datum-perl version: 1:0.1.3-8 commands: datum_strip name: libcatalyst-perl version: 5.90115-1 commands: catalyst.pl name: libcatmandu-mab2-perl version: 0.21-1 commands: mab2_convert name: libcatmandu-perl version: 1.0700-1 commands: catmandu name: libccss-tools version: 0.5.0-4build1 commands: ccss-stylesheet-to-gtkrc name: libcdaudio-dev version: 0.99.12p2-14 commands: libcdaudio-config name: libcdd-tools version: 094h-1 commands: cdd_both_reps,cdd_both_reps_gmp name: libcddb-get-perl version: 2.28-2 commands: cddbget name: libcdio-utils version: 1.0.0-2ubuntu2 commands: cd-drive,cd-info,cd-read,cdda-player,iso-info,iso-read,mmc-tool name: libcdr-tools version: 0.1.4-1build1 commands: cdr2raw,cdr2xhtml,cmx2raw,cmx2xhtml name: libcegui-mk2-0.8.7 version: 0.8.7-2 commands: CEGUISampleFramework-0.8,toluappcegui-0.8 name: libcfitsio-bin version: 3.430-2 commands: fitscopy,fpack,funpack,imcopy name: libcflow-perl version: 1:0.68-12.5build3 commands: flowdumper name: libcgal-dev version: 4.11-2build1 commands: cgal_create_CMakeLists,cgal_create_cmake_script name: libcgicc-dev version: 3.2.19-0.2 commands: cgicc-config name: libchipcard-dev version: 5.1.0beta-2 commands: chipcard-config name: libchipcard-tools version: 5.1.0beta-2 commands: cardcommander,chipcard-tool,geldkarte,kvkcard,memcard name: libchm-bin version: 2:0.40a-4 commands: chm_http,enum_chmLib,enumdir_chmLib,extract_chmLib,test_chmLib name: libchromaprint-tools version: 1.4.3-1 commands: fpcalc name: libcipux-perl version: 3.4.0.13-4.1 commands: cipux_configuration name: libcitygml-bin version: 2.0.8-1 commands: citygmltest name: libclang-common-3.9-dev version: 1:3.9.1-19ubuntu1 commands: clang-tblgen-3.9,yaml-bench-3.9 name: libclang-common-4.0-dev version: 1:4.0.1-10 commands: yaml-bench-4.0 name: libclang-common-5.0-dev version: 1:5.0.1-4 commands: yaml-bench-5.0 name: libclang-common-6.0-dev version: 1:6.0-1ubuntu2 commands: yaml-bench-6.0 name: libclaw-dev version: 1.7.4-2 commands: claw-config name: libclhep-dev version: 2.1.4.1+dfsg-1 commands: clhep-config name: libclipboard-perl version: 0.13-1 commands: clipaccumulate,clipbrowse,clipedit,clipfilter,clipjoin name: libclutter-imcontext-0.1-bin version: 0.1.4-3build1 commands: clutter-scan-immodules name: libcmor-dev version: 3.3.1-2 commands: PrePARE name: libcmph-tools version: 2.0-2build1 commands: cmph name: libcoap-1-0-bin version: 4.1.2-1 commands: coap-client,coap-rd,coap-server name: libcode-tidyall-perl version: 0.67-1 commands: tidyall name: libcoin80-dev version: 3.1.4~abc9f50+dfsg3-2 commands: coin-config name: libcomedi0 version: 0.10.2-4build7 commands: comedi_board_info,comedi_calibrate,comedi_config,comedi_soft_calibrate,comedi_test name: libcommoncpp2-dev version: 1.8.1-6.1 commands: ccgnu2-config name: libconfig-model-dpkg-perl version: 2.105 commands: scan-copyrights name: libconfig-pit-perl version: 0.04-1 commands: ppit name: libconvert-binary-c-perl version: 0.78-1build2 commands: ccconfig name: libcoq-ocaml-dev version: 8.6-5build1 commands: coqmktop name: libcorkipset-utils version: 1.1.1+20150311-8 commands: ipsetbuild,ipsetcat,ipsetdot name: libcpan-changes-perl version: 0.400002-1 commands: tidy_changelog name: libcpan-inject-perl version: 1.14-1 commands: cpaninject name: libcpan-mini-inject-perl version: 0.35-1 commands: mcpani name: libcpan-mini-perl version: 1.111016-1 commands: minicpan name: libcpan-sqlite-perl version: 0.211-3 commands: cpandb name: libcpan-uploader-perl version: 0.103013-1 commands: cpan-upload name: libcpandb-perl version: 0.18-1 commands: cpangraph name: libcpanel-json-xs-perl version: 3.0239-1 commands: cpanel_json_xs name: libcpanplus-perl version: 0.9172-1ubuntu1 commands: cpan2dist,cpanp,cpanp-run-perl name: libcpluff0-dev version: 0.1.4+dfsg1-1build2 commands: cpluff-console name: libcroco-tools version: 0.6.12-2 commands: csslint-0.6 name: libcrypto++-utils version: 5.6.4-8 commands: cryptest name: libcss-lessp-perl version: 0.86-1 commands: lessp name: libctemplate-dev version: 2.3-3 commands: ctemplate-diff_tpl_auto_escape,ctemplate-make_tpl_varnames_h,ctemplate-template-converter name: libctl-dev version: 3.2.2-4build1 commands: gen-ctl-io name: libcurl-openssl1.0-dev version: 7.58.0-2ubuntu2 commands: curl-config name: libcurlpp-dev version: 0.8.1-2build1 commands: curlpp-config name: libcxxtools-dev version: 2.2.1-2 commands: cxxtools-config name: libdancer-perl version: 1.3202+dfsg-1 commands: dancer name: libdancer2-perl version: 0.205002+dfsg-2 commands: dancer2 name: libdap-bin version: 3.19.1-2build1 commands: getdap name: libdap-dev version: 3.19.1-2build1 commands: dap-config name: libdaq-dev version: 2.0.4-3build2 commands: daq-modules-config name: libdata-showtable-perl version: 4.6-1 commands: showtable name: libdata-stag-perl version: 0.14-2 commands: stag-autoschema,stag-db,stag-diff,stag-drawtree,stag-filter,stag-findsubtree,stag-flatten,stag-grep,stag-handle,stag-itext2simple,stag-itext2sxpr,stag-itext2xml,stag-join,stag-merge,stag-mogrify,stag-parse,stag-query,stag-splitter,stag-view,stag-xml2itext name: libdatrie1-bin version: 0.2.10-7 commands: trietool,trietool-0.2 name: libdazzle-tools version: 3.28.1-1 commands: dazzle-list-counters name: libdb1-compat version: 2.1.3-20 commands: db_dump185 name: libdbd-xbase-perl version: 1:1.08-1 commands: dbf_dump,index_dump name: libdbix-class-perl version: 0.082840-3 commands: dbicadmin name: libdbix-class-schema-loader-perl version: 0.07048-1 commands: dbicdump name: libdbix-dbstag-perl version: 0.12-2 commands: stag-autoddl,stag-autotemplate,stag-ir,stag-qsh,stag-selectall_html,stag-selectall_xml,stag-storenode name: libdbix-easy-perl version: 0.21-1 commands: dbs_dumptabdata,dbs_dumptabstruct,dbs_empty,dbs_printtab,dbs_update name: libdbus-c++-bin version: 0.9.0-8.1 commands: dbusxx-introspect,dbusxx-xml2cpp name: libdbuskit-dev version: 0.1.1-3 commands: dk_make_protocol name: libdc1394-utils version: 2.2.5-1 commands: dc1394_reset_bus name: libdca-utils version: 0.0.5-10 commands: dcadec,dtsdec,extract_dca,extract_dts name: libde265-examples version: 1.0.2-2build1 commands: libde265-dec265,libde265-sherlock265 name: libdevel-checklib-perl version: 1.11-1 commands: use-devel-checklib name: libdevel-cover-perl version: 1.29-1 commands: cover,cpancover,gcov2perl name: libdevel-dprof-perl version: 20110802.00-3build4 commands: dprofpp name: libdevel-nytprof-perl version: 6.04+dfsg-1build1 commands: nytprofcalls,nytprofcg,nytprofcsv,nytprofhtml,nytprofmerge,nytprofpf name: libdevel-patchperl-perl version: 1.48-1 commands: patchperl name: libdevel-repl-perl version: 1.003028-1 commands: re.pl name: libdevice-serialport-perl version: 1.04-3build4 commands: modemtest name: libdevil1c2 version: 1.7.8-10build1 commands: ilur name: libdigest-sha-perl version: 6.01-1 commands: shasum name: libdigest-sha3-perl version: 1.03-1 commands: sha3sum name: libdigest-whirlpool-perl version: 1.09-1.1 commands: whirlpoolsum name: libdigidoc-tools version: 3.10.1.1208+ds1-2.1 commands: cdigidoc name: libdirectfb-bin version: 1.7.7-8 commands: dfbdump,dfbdumpinput,dfbfx,dfbg,dfbinfo,dfbinput,dfbinspector,dfblayer,dfbmaster,dfbpenmount,dfbplay,dfbscreen,dfbshow,dfbswitch,directfb-csource,mkdfiff,mkdgiff,mkdgifft,pxa3xx_dump name: libdisorder-tools version: 0.0.2-1 commands: ropy name: libdist-inkt-perl version: 0.024-3 commands: distinkt-dist,distinkt-travisyml name: libdist-zilla-perl version: 6.010-1 commands: dzil name: libdkim-dev version: 1:1.0.21-4build1 commands: libdkimtest name: libdmalloc-dev version: 5.5.2-10 commands: dmalloc name: libdomain-publicsuffix-perl version: 0.14.1-3 commands: get_root_domain name: libdoxygen-filter-perl version: 1.72-2 commands: doxygen-filter-perl name: libdune-common-dev version: 2.5.1-1 commands: dune-am2cmake,dune-ctest,dune-git-whitespace-hook,dune-remove-autotools,dunecontrol,duneproject name: libdv-bin version: 1.0.0-11 commands: dubdv,dvconnect,encodedv,playdv name: libebook-tools-perl version: 0.5.4-1.3 commands: ebook name: libecasoundc-dev version: 2.9.1-7ubuntu2 commands: libecasoundc-config name: libeccodes-tools version: 2.6.0-2 commands: bufr_compare,bufr_compare_dir,bufr_copy,bufr_count,bufr_dump,bufr_filter,bufr_get,bufr_index_build,bufr_ls,bufr_set,codes_bufr_filter,codes_count,codes_info,codes_parser,codes_split_file,grib2ppm,grib_compare,grib_copy,grib_count,grib_dump,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_ls,grib_merge,grib_set,grib_to_netcdf,gts_compare,gts_copy,gts_dump,gts_filter,gts_get,gts_ls,metar_compare,metar_copy,metar_dump,metar_filter,metar_get,metar_ls,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libedje-bin version: 1.8.6-2.5build1 commands: edje_cc,edje_decc,edje_external_inspector,edje_inspector,edje_player,edje_recc name: libeet-bin version: 1.8.6-2.5build1 commands: eet name: libefreet-bin version: 1.8.6-2.5build1 commands: efreetd name: libelementary-bin version: 1.8.5-2 commands: elementary_config,elementary_quicklaunch,elementary_run,elm_prefs_cc name: libelixirfm-perl version: 1.1.976-4 commands: elixir-column,elixir-compose,elixir-resolve name: libemail-outlook-message-perl version: 0.919-1 commands: msgconvert name: libembperl-perl version: 2.5.0-11build1 commands: embpexec,embpmsgid name: libembryo-bin version: 1.8.6-2.5build1 commands: embryo_cc name: libemos-bin version: 2:4.5.1-1 commands: bufr_0t2,bufr_88t89,bufr_add_bias,bufr_check,bufr_compress,bufr_decode,bufr_decode_all,bufr_key,bufr_merg,bufr_merge_tovs,bufr_nt1,bufr_ntm,bufr_obs_filter,bufr_repack,bufr_repack_206t205,bufr_repack_satid,bufr_ship_anmh,bufr_ship_anmh_ERA,bufr_simulate,bufr_split,emos_tool,emoslib_bufr_filter,grib2bufr,libemos_version,snow_key_repack,tc_tracks,tc_tracks_10t5,tc_tracks_det,tc_tracks_eps name: libemu2 version: 0.2.0+git20120122-1.2build1 commands: scprofiler,sctest name: libencoding-fixlatin-perl version: 1.04-1 commands: fix_latin name: libenv-path-perl version: 0.19-2 commands: envpath name: libesedb-utils version: 20170121-4 commands: esedbexport,esedbinfo name: libethumb-client-bin version: 1.8.6-2.5build1 commands: ethumbd name: libetpan-dev version: 1.8.0-1 commands: libetpan-config name: libevdev-tools version: 1.5.8+dfsg-1 commands: libevdev-tweak-device,mouse-dpi-tool,touchpad-edge-detector name: libevent-execflow-perl version: 0.64-0ubuntu3 commands: execflow name: libevt-utils version: 20170120-2 commands: evtexport,evtinfo name: libevtx-utils version: 20170122-3 commands: evtxexport,evtxinfo name: libexcel-writer-xlsx-perl version: 0.96-1 commands: extract_vba name: libexosip2-11 version: 4.1.0-2.2~build1 commands: sip_reg-4.1.0 name: libextutils-modulemaker-perl version: 0.56-1 commands: modulemaker name: libextutils-parsexs-perl version: 3.350000-1 commands: xsubpp name: libextutils-xspp-perl version: 0.1800-2 commands: xspp name: libfastjet-dev version: 3.0.6+dfsg-3build1 commands: fastjet-config name: libfcgi-bin version: 2.4.0-10 commands: cgi-fcgi name: libfile-copy-link-perl version: 0.140-2 commands: copylink name: libfile-find-object-rule-perl version: 0.0306-1 commands: findorule name: libfile-find-rule-perl version: 0.34-1 commands: findrule name: libfinance-bank-ie-permanenttsb-perl version: 0.4-2 commands: ptsb name: libfinance-yahooquote-perl version: 0.25 commands: yahooquote name: libflickcurl-dev version: 1.26-4 commands: flickcurl-config name: libflickr-api-perl version: 1.28-1 commands: flickr_dump_stored_config,flickr_make_stored_config,flickr_make_test_values name: libflickr-upload-perl version: 1.60-1 commands: flickr_upload name: libfltk1.1-dev version: 1.1.10-23 commands: fltk-config name: libfltk1.3-dev version: 1.3.4-6 commands: fltk-config name: libfm-tools version: 1.2.5-1ubuntu1 commands: libfm-pref-apps name: libforms-bin version: 1.2.3-1.3 commands: fd2ps,fdesign name: libfox-1.6-dev version: 1.6.56-1 commands: fox-config,fox-config-1.6,reswrap,reswrap-1.6 name: libfpm-helper0 version: 4.2-2.1 commands: shim name: libfreefare-bin version: 0.4.0-2build1 commands: mifare-classic-format,mifare-classic-read-ndef,mifare-classic-write-ndef,mifare-desfire-access,mifare-desfire-create-ndef,mifare-desfire-ev1-configure-ats,mifare-desfire-ev1-configure-default-key,mifare-desfire-ev1-configure-random-uid,mifare-desfire-format,mifare-desfire-info,mifare-desfire-read-ndef,mifare-desfire-write-ndef,mifare-ultralight-info name: libfreenect-bin version: 1:0.5.3-1build1 commands: fakenect,fakenect-record,freenect-camtest,freenect-chunkview,freenect-cpp_pcview,freenect-cppview,freenect-glpclview,freenect-glview,freenect-hiview,freenect-micview,freenect-regtest,freenect-regview,freenect-tiltdemo,freenect-wavrecord name: libfreesrp-dev version: 0.3.0-2 commands: freesrp-ctl,freesrp-io name: libfribidi-bin version: 0.19.7-2 commands: fribidi name: libfsntfs-utils version: 20170315-2 commands: fsntfsinfo name: libfst-tools version: 1.6.3-2 commands: farcompilestrings,farcreate,farequal,farextract,farinfo,farisomorphic,farprintstrings,fstarcsort,fstclosure,fstcompile,fstcompose,fstcompress,fstconcat,fstconnect,fstconvert,fstdeterminize,fstdifference,fstdisambiguate,fstdraw,fstencode,fstepsnormalize,fstequal,fstequivalent,fstinfo,fstintersect,fstinvert,fstisomorphic,fstlinear,fstloglinearapply,fstmap,fstminimize,fstprint,fstproject,fstprune,fstpush,fstrandgen,fstrandmod,fstrelabel,fstreplace,fstreverse,fstreweight,fstrmepsilon,fstshortestdistance,fstshortestpath,fstsymbols,fstsynchronize,fsttopsort,fstunion,mpdtcompose,mpdtexpand,mpdtinfo,mpdtreverse,pdtcompose,pdtexpand,pdtinfo,pdtreplace,pdtreverse,pdtshortestpath name: libftdi-dev version: 0.20-4build3 commands: libftdi-config name: libftdi1-dev version: 1.4-1build1 commands: libftdi1-config name: libfvde-utils version: 20180108-1 commands: fvdeinfo,fvdemount,fvdewipekey name: libgadap-dev version: 2.0-9 commands: gadap-config name: libgconf2.0-cil-dev version: 2.24.2-4 commands: gconfsharp2-schemagen name: libgd-tools version: 2.2.5-4 commands: annotate,bdftogd,gd2copypal,gd2togif,gd2topng,gdcmpgif,gdparttopng,gdtopng,giftogd2,pngtogd,pngtogd2,webpng name: libgda-5.0-bin version: 5.2.4-9 commands: gda-list-config-5.0,gda-list-server-op-5.0,gda-sql-5.0,gda-test-connection-5.0 name: libgdal-dev version: 2.2.3+dfsg-2 commands: gdal-config name: libgdcm-tools version: 2.8.4-1build2 commands: gdcmanon,gdcmconv,gdcmdiff,gdcmdump,gdcmgendir,gdcmimg,gdcminfo,gdcmpap3,gdcmpdf,gdcmraw,gdcmscanner,gdcmscu,gdcmtar,gdcmxml name: libgdome2-dev version: 0.8.1+debian-6 commands: gdome-config name: libgenome-perl version: 0.06-3 commands: genome,genome-model-tools name: libgeo-osm-tiles-perl version: 0.04-5 commands: downloadosmtiles name: libgeos-dev version: 3.6.2-1build2 commands: geos-config name: libgetdata-tools version: 0.10.0-3build2 commands: checkdirfile,dirfile2ascii name: libgetfem++-dev version: 5.2+dfsg1-6 commands: getfem-config name: libgettext-ocaml-dev version: 0.3.7-1build2 commands: ocaml-gettext,ocaml-xgettext name: libgfal-srm-ifce1 version: 1.24.3-1 commands: gfal_srm_ifce_version name: libgfal2-2 version: 2.15.2-1 commands: gfal2_version name: libgfshare-bin version: 2.0.0-4 commands: gfcombine,gfsplit name: libghc-ghc-events-dev version: 0.6.0-1 commands: ghc-events name: libghc-hakyll-dev version: 4.9.8.0-1build4 commands: hakyll-init name: libghc-hjsmin-dev version: 0.2.0.2-3build3 commands: hjsmin name: libghc-wai-app-static-dev version: 3.1.6.1-3build13 commands: warp name: libghc-yaml-dev version: 0.8.25-1build1 commands: json2yaml,yaml2json name: libgimp2.0-dev version: 2.8.22-1 commands: gimptool-2.0 name: libgitlab-api-v4-perl version: 0.04-2 commands: gitlab-api-v4 name: libgivaro-dev version: 4.0.2-8ubuntu1 commands: givaro-config,givaro-makefile name: libglade2-dev version: 1:2.6.4-2 commands: libglade-convert name: libglobus-common-dev version: 17.2-1 commands: globus-makefile-header name: libgmt-dev version: 5.4.3+dfsg-1 commands: gmt-config name: libgnatcoll-sqlite-bin version: 17.0.2017-3 commands: gnatcoll_db2ada,gnatinspect name: libgnome2-bin version: 2.32.1-6 commands: gnome-open name: libgnomevfs2-bin version: 1:2.24.4-6.1ubuntu2 commands: gnomevfs-cat,gnomevfs-copy,gnomevfs-df,gnomevfs-info,gnomevfs-ls,gnomevfs-mkdir,gnomevfs-monitor,gnomevfs-mv,gnomevfs-rm name: libgnupg-perl version: 0.19-3 commands: gpgmailtunl name: libgo-perl version: 0.15-6 commands: go-apply-xslt,go-dag-summary,go-export-graph,go-export-prolog,go-filter-subset,go-show-assocs-by-node,go-show-paths-to-root,go2chadoxml,go2error_report,go2fmt,go2godb_prestore,go2obo,go2obo_html,go2obo_text,go2obo_xml,go2owl,go2pathlist,go2prolog,go2rdf,go2rdfxml,go2summary,go2sxpr,go2tbl,go2text_html,go2xml,map2slim name: libgraph-easy-perl version: 0.76-1 commands: graph-easy name: libgraphicsmagick++1-dev version: 1.3.28-2 commands: GraphicsMagick++-config name: libgraphicsmagick1-dev version: 1.3.28-2 commands: GraphicsMagick-config,GraphicsMagickWand-config name: libgraphite2-utils version: 1.3.11-2 commands: gr2fonttest name: libgrib-api-tools version: 1.25.0-1 commands: big2gribex,gg_sub_area_check,grib1to2,grib2ppm,grib_add,grib_cmp,grib_compare,grib_convert,grib_copy,grib_corruption_check,grib_count,grib_debug,grib_distance,grib_dump,grib_error,grib_filter,grib_get,grib_get_data,grib_histogram,grib_index_build,grib_info,grib_keys,grib_list_keys,grib_ls,grib_moments,grib_packing,grib_parser,grib_repair,grib_set,grib_to_json,grib_to_netcdf,tigge_accumulations,tigge_check,tigge_name,tigge_split name: libgrilo-0.3-bin version: 0.3.4-1 commands: grilo-test-ui-0.3,grl-inspect-0.3,grl-launch-0.3 name: libgsf-bin version: 1.14.41-2 commands: gsf,gsf-office-thumbnailer,gsf-vba-dump name: libgsl-dev version: 2.4+dfsg-6 commands: gsl-config name: libgsm-tools version: 1.0.13-4build1 commands: tcat,toast,untoast name: libgss-dev version: 1.0.3-3 commands: gss name: libgtk2-ex-podviewer-perl version: 0.18-1 commands: podviewer name: libgtk2-gladexml-simple-perl version: 0.32-2 commands: gpsketcher name: libgtkada-bin version: 17.0.2017-2 commands: gtkada-dialog name: libgtkmathview-bin version: 0.8.0-14 commands: mathmlsvg,mathmlviewer name: libgts-bin version: 0.7.6+darcs121130-4 commands: delaunay,gts-config,gts2dxf,gts2oogl,gts2stl,gts2xyz,gtscheck,gtscompare,gtstemplate,stl2gts,transform name: libguestfs-tools version: 1:1.36.13-1ubuntu3 commands: guestfish,guestmount,guestunmount,libguestfs-make-fixed-appliance,libguestfs-test-tool,virt-alignment-scan,virt-builder,virt-cat,virt-copy-in,virt-copy-out,virt-customize,virt-df,virt-dib,virt-diff,virt-edit,virt-filesystems,virt-format,virt-get-kernel,virt-index-validate,virt-inspector,virt-list-filesystems,virt-list-partitions,virt-log,virt-ls,virt-make-fs,virt-p2v-make-disk,virt-p2v-make-kickstart,virt-p2v-make-kiwi,virt-rescue,virt-resize,virt-sparsify,virt-sysprep,virt-tail,virt-tar,virt-tar-in,virt-tar-out,virt-v2v,virt-v2v-copy-to-local,virt-win-reg name: libgupnp-1.0-dev version: 1.0.2-2 commands: gupnp-binding-tool name: libgvc6 version: 2.40.1-2 commands: libgvc6-config-update name: libgwenhywfar-core-dev version: 4.20.0-1 commands: gwenhywfar-config name: libgwrap-runtime-dev version: 1.9.15-0.2 commands: g-wrap-config name: libgxps-utils version: 0.3.0-2 commands: xpstojpeg,xpstopdf,xpstopng,xpstops,xpstosvg name: libhamlib-utils version: 3.1-7build1 commands: rigctl,rigctld,rigmem,rigsmtr,rigswr,rotctl,rotctld name: libharfbuzz-bin version: 1.7.2-1ubuntu1 commands: hb-ot-shape-closure,hb-shape,hb-view name: libhdf5-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pfc name: libhdf5-mpich-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.mpich,h5pfc,h5pfc.mpich name: libhdf5-openmpi-dev version: 1.10.0-patch1+docs-4 commands: h5pcc,h5pcc.openmpi,h5pfc,h5pfc.openmpi name: libheif-examples version: 1.1.0-2 commands: heif-convert,heif-enc,heif-info name: libhivex-bin version: 1.3.15-1 commands: hivexget,hivexml,hivexsh name: libhocr0 version: 0.10.18-2 commands: hocr name: libhsm-bin version: 1:2.1.3-0.2build1 commands: ods-hsmspeed,ods-hsmutil name: libhtml-clean-perl version: 0.8-12ubuntu1 commands: htmlclean name: libhtml-copy-perl version: 1.31-1 commands: htmlcopy name: libhtml-formfu-perl version: 2.05000-1 commands: html_formfu_deploy.pl,html_formfu_dumpconf.pl name: libhtml-formhandler-model-dbic-perl version: 0.29-1 commands: dbic_form_generator name: libhtml-gentoc-perl version: 3.20-2 commands: hypertoc name: libhtml-html5-parser-perl version: 0.301-2 commands: html2xhtml,html5debug name: libhtml-tidy-perl version: 1.60-1 commands: webtidy name: libhtml-wikiconverter-perl version: 0.68-3 commands: html2wiki name: libhtmlcxx-dev version: 0.86-1.2 commands: htmlcxx name: libhttp-dav-perl version: 0.48-1 commands: dave name: libhttp-oai-perl version: 4.06-1 commands: oai_browser,oai_pmh name: libhttp-recorder-perl version: 0.07-2 commands: httprecorder name: libica-utils version: 3.2.1-0ubuntu1 commands: icainfo,icastats name: libicapapi-dev version: 1:0.4.4-1 commands: c-icap-config,c-icap-libicapapi-config name: libid3-tools version: 3.8.3-16.2build1 commands: id3convert,id3cp,id3info,id3tag name: libident version: 0.22-3.1 commands: in.identtestd name: libidl-dev version: 0.8.14-4 commands: libIDL-config-2 name: libidzebra-2.0-dev version: 2.0.59-1ubuntu1 commands: idzebra-config,idzebra-config-2.0 name: libifstat-dev version: 1.1-8.1 commands: libifstat-config name: libiio-utils version: 0.10-3 commands: iio_adi_xflow_check,iio_genxml,iio_info,iio_readdev,iio_reg name: libiksemel-utils version: 1.4-3build1 commands: ikslint,iksperf,iksroster name: libimage-exiftool-perl version: 10.80-1 commands: exiftool name: libimage-size-perl version: 3.300-1 commands: imgsize name: libimager-perl version: 1.006+dfsg-1 commands: dh_perl_imager name: libimlib2-dev version: 1.4.10-1 commands: imlib2-config name: libimobiledevice-utils version: 1.2.1~git20171128.5a854327+dfsg-0.1 commands: idevice_id,idevicebackup,idevicebackup2,idevicecrashreport,idevicedate,idevicedebug,idevicedebugserverproxy,idevicediagnostics,ideviceenterrecovery,ideviceimagemounter,ideviceinfo,idevicename,idevicenotificationproxy,idevicepair,ideviceprovision,idevicescreenshot,idevicesyslog name: libinput-tools version: 1.10.4-1 commands: libinput,libinput-debug-events,libinput-list-devices name: libinsighttoolkit4-dev version: 4.12.2-dfsg1-1ubuntu1 commands: itkTestDriver name: libio-compress-perl version: 2.074-1 commands: zipdetails name: libiodbc2-dev version: 3.52.9-2.1 commands: iodbc-config name: libiptcdata-bin version: 1.0.4-6ubuntu1 commands: iptc name: libirman-dev version: 0.5.2-1build1 commands: irman.test_func,irman.test_func_sw,irman.test_io,irman.test_io_sw,irman.test_name,irman.test_name_sw,workmanir,workmanir_sw name: libiscsi-bin version: 1.17.0-1.1 commands: iscsi-inq,iscsi-ls,iscsi-perf,iscsi-readcapacity16,iscsi-swp,iscsi-test-cu name: libitpp-dev version: 4.3.1-8 commands: itpp-config name: libixp-dev version: 0.6~20121202+hg148-2build1 commands: ixpc name: libjana-test version: 0.0.0+git20091215.9ec1da8a-4+build3 commands: jana-ecal-event,jana-ecal-store-view,jana-ecal-time,jana-ecal-time-2 name: libjavascript-beautifier-perl version: 0.20-1ubuntu1 commands: js_beautify name: libjavascriptcoregtk-3.0-bin version: 2.4.11-3ubuntu3 commands: jsc name: libjavascriptcoregtk-4.0-bin version: 2.20.1-1 commands: jsc name: libjconv-bin version: 2.8-7 commands: jconv name: libjmac-java version: 1.74-6 commands: jmac name: libjpeg-progs version: 1:9b-2 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-progs version: 1.5.2-0ubuntu5 commands: cjpeg,djpeg,exifautotran,jpegexiforient,jpegtran,rdjpgcom,wrjpgcom name: libjpeg-turbo-test version: 1.5.2-0ubuntu5 commands: tjbench,tjunittest name: libjson-pp-perl version: 2.97001-1 commands: json_pp name: libjson-xs-perl version: 3.040-1 commands: json_xs name: libjsonrpccpp-tools version: 0.7.0-1build2 commands: jsonrpcstub name: libjxr-tools version: 1.1-6build1 commands: JxrDecApp,JxrEncApp name: libkakasi2-dev version: 2.3.6-1build1 commands: kakasi-config name: libkate-tools version: 0.4.1-7build1 commands: KateDJ,katalyzer,katedec,kateenc name: libkdb3-driver-sqlite version: 3.1.0-2 commands: kdb3_sqlite3_dump name: libkf5akonadi-dev version: 4:17.12.3-0ubuntu3 commands: akonadi2xml,akonaditest name: libkf5akonadi-dev-bin version: 4:17.12.3-0ubuntu3 commands: akonadi_knut_resource name: libkf5akonadicore-bin version: 4:17.12.3-0ubuntu3 commands: akonadiselftest name: libkf5akonadisearch-bin version: 4:17.12.3-0ubuntu1 commands: akonadi_indexing_agent name: libkf5baloowidgets-bin version: 4:17.12.3-0ubuntu1 commands: baloo_filemetadata_temp_extractor name: libkf5config-bin version: 5.44.0-0ubuntu1 commands: kreadconfig5,kwriteconfig5 name: libkf5configwidgets-data version: 5.44.0-0ubuntu1 commands: preparetips5 name: libkf5coreaddons-dev-bin version: 5.44.0a-0ubuntu1 commands: desktoptojson name: libkf5dbusaddons-bin version: 5.44.0-0ubuntu1 commands: kquitapp5 name: libkf5globalaccel-bin version: 5.44.0-0ubuntu1 commands: kglobalaccel5 name: libkf5iconthemes-bin version: 5.44.0-0ubuntu1 commands: kiconfinder5 name: libkf5jsembed-dev version: 5.44.0-0ubuntu1 commands: kjscmd5,kjsconsole name: libkf5kdelibs4support5-bin version: 5.44.0-0ubuntu3 commands: kdebugdialog5,kf5-config name: libkf5kjs-dev version: 5.44.0-0ubuntu1 commands: kjs5 name: libkf5screen-bin version: 4:5.12.4-0ubuntu1 commands: kscreen-doctor name: libkf5service-bin version: 5.44.0-0ubuntu1 commands: kbuildsycoca5 name: libkf5solid-bin version: 5.44.0-0ubuntu1 commands: solid-hardware5 name: libkf5sonnet-dev-bin version: 5.44.0-0ubuntu1 commands: gentrigrams,parsetrigrams name: libkf5syntaxhighlighting-tools version: 5.44.0-0ubuntu1 commands: kate-syntax-highlighter name: libkf5wallet-bin version: 5.44.0-0ubuntu1 commands: kwallet-query,kwalletd5 name: libkiokudb-perl version: 0.57-1 commands: kioku name: libkiwix-dev version: 0.2.0-1 commands: kiwix-compile-resources name: libkkc-utils version: 0.3.5-2 commands: kkc name: liblablgl-ocaml-dev version: 1:1.05-2build2 commands: lablgl,lablglut name: liblablgtk2-ocaml-dev version: 2.18.5+dfsg-1build1 commands: gdk_pixbuf_mlsource,lablgladecc2,lablgtk2 name: liblambda-term-ocaml version: 1.10.1-2build1 commands: lambda-term-actions name: liblas-bin version: 1.8.1-6build1 commands: las2col,las2las,las2ogr,las2pg,las2txt,lasblock,lasinfo,ts2las,txt2las name: liblas-dev version: 1.8.1-6build1 commands: liblas-config name: liblatex-decode-perl version: 0.05-1 commands: latex2utf8 name: liblatex-driver-perl version: 0.300.2-2 commands: latex2dvi,latex2pdf,latex2ps name: liblatex-encode-perl version: 0.092.0-1 commands: latex-encode name: liblatex-table-perl version: 1.0.6-3 commands: csv2pdf,ltpretty name: liblbfgsb-examples version: 3.0+dfsg.3-1build1 commands: lbfgsb-examples_driver1_77,lbfgsb-examples_driver1_90,lbfgsb-examples_driver2_77,lbfgsb-examples_driver2_90,lbfgsb-examples_driver3_77,lbfgsb-examples_driver3_90 name: liblcm-bin version: 1.3.1+repack1-1 commands: lcm-gen,lcm-logger,lcm-logplayer,lcm-logplayer-gui,lcm-spy name: liblemon-utils version: 1.3.1+dfsg-1 commands: dimacs-solver,dimacs-to-lgf,lgf-gen name: liblensfun-bin version: 0.3.2-4 commands: g-lensfun-update-data,lensfun-add-adapter,lensfun-update-data name: liblhapdf-dev version: 5.9.1-6 commands: lhapdf-config name: liblinbox-dev version: 1.4.2-5build1 commands: linbox-config name: liblinear-tools version: 2.1.0+dfsg-2 commands: liblinear-predict,liblinear-train name: liblingua-identify-perl version: 0.56-1 commands: langident,make-lingua-identify-language name: liblingua-translit-perl version: 0.28-1 commands: translit name: liblnk-utils version: 20171101-1 commands: lnkinfo name: liblo-tools version: 0.29-1 commands: oscdump,oscsend,oscsendfile name: liblocale-maketext-gettext-perl version: 1.28-2 commands: maketext name: liblocale-maketext-lexicon-perl version: 1.00-1 commands: xgettext.pl name: liblog-log4perl-perl version: 1.49-1 commands: l4p-tmpl name: liblog4c-dev version: 1.2.1-3 commands: log4c-config name: liblog4cpp5-dev version: 1.1.1-3 commands: log4cpp-config name: liblog4shib-dev version: 1.0.9-3 commands: log4shib-config name: liblognorm-utils version: 2.0.3-1 commands: lognormalizer name: liblouis-bin version: 3.5.0-1 commands: lou_allround,lou_checkhyphens,lou_checktable,lou_debug,lou_translate name: liblouisxml-bin version: 2.4.0-6build3 commands: msword2brl,pdf2brl,rtf2brl,xml2brl name: liblttng-ust-dev version: 2.10.1-1 commands: lttng-gen-tp name: liblua50-dev version: 5.0.3-8 commands: lua-config,lua-config50 name: libluasandbox-bin version: 1.2.1-4 commands: lsb_heka_cat,luasandbox name: liblucene2-java version: 2.9.4+ds1-6 commands: lucli name: liblwt-ocaml-dev version: 2.7.1-4build1 commands: ppx_lwt name: liblz4-tool version: 0.0~r131-2ubuntu3 commands: lz4,lz4c,lz4cat,unlz4 name: libmagics++-dev version: 3.0.0-1 commands: magicsCompatibilityChecker name: libmail-checkuser-perl version: 1.24-1 commands: cufilter name: libmailutils-dev version: 1:3.4-1 commands: mailutils-config name: libmapnik-dev version: 3.0.19+ds-1 commands: mapnik-config,mapnik-plugin-base name: libmarc-crosswalk-dublincore-perl version: 0.02-3 commands: marc2dc name: libmarc-file-marcmaker-perl version: 0.05-1 commands: mkr2mrc,mrc2mkr name: libmarc-lint-perl version: 1.52-1 commands: marclint name: libmarc-record-perl version: 2.0.7-1 commands: marcdump name: libmariadb-dev version: 3.0.3-1build1 commands: mariadb_config name: libmariadb-dev-compat version: 3.0.3-1build1 commands: mysql_config name: libmariadbclient-dev version: 1:10.1.29-6 commands: mysql_config name: libmason-perl version: 2.24-1 commands: mason.pl name: libmath-prime-util-perl version: 0.70-1 commands: factor.pl,primes name: libmbim-utils version: 1.14.2-2.1ubuntu1 commands: mbim-network,mbimcli name: libmcrypt-dev version: 2.5.8-3.3 commands: libmcrypt-config name: libmdc2-dev version: 0.14.1-2 commands: xmedcon-config name: libmecab-dev version: 0.996-5 commands: mecab-config name: libmed-tools version: 3.0.6-11build1 commands: mdump,mdump3,medconforme,medimport,xmdump,xmdump3 name: libmemory-usage-perl version: 0.201-2 commands: module-size name: libmessage-passing-perl version: 0.116-4 commands: message-pass name: libmetabase-fact-perl version: 0.025-2 commands: metabase-profile name: libmikmatch-ocaml-dev version: 1.0.8-1build3 commands: mikmatch_pcre,mikmatch_str name: libmikmod-config version: 3.3.11.1-3 commands: libmikmod-config name: libmm-dev version: 1.4.2-5ubuntu4 commands: mm-config name: libmodglue1v5 version: 1.19-0ubuntu5 commands: prompt,ptywrap name: libmodule-build-perl version: 0.422400-1 commands: config_data name: libmodule-corelist-perl version: 5.20180220-1 commands: corelist name: libmodule-cpanfile-perl version: 1.1002-1 commands: cpanfile-dump,mymeta-cpanfile name: libmodule-info-perl version: 0.37-1 commands: module_info,pfunc name: libmodule-package-rdf-perl version: 0.014-1 commands: mkdist name: libmodule-path-perl version: 0.19-1 commands: mpath name: libmodule-scandeps-perl version: 1.24-1 commands: scandeps name: libmodule-signature-perl version: 0.81-1 commands: cpansign name: libmodule-starter-perl version: 1.730+dfsg-1 commands: module-starter name: libmodule-starter-plugin-cgiapp-perl version: 0.44-1 commands: cgiapp-starter,titanium-starter name: libmodule-used-perl version: 1.3.0-2 commands: modules-used name: libmodule-util-perl version: 1.09-3 commands: pm_which name: libmoe1.5 version: 1.5.8-2build1 commands: mbconv name: libmojolicious-perl version: 7.59+dfsg-1ubuntu1 commands: hypnotoad,mojo,morbo name: libmojomojo-perl version: 1.12+dfsg-1 commands: mojomojo_cgi.pl,mojomojo_create.pl,mojomojo_fastcgi.pl,mojomojo_fastcgi_manage.pl,mojomojo_server.pl,mojomojo_spawn_db.pl,mojomojo_test.pl,mojomojo_update_db.pl name: libmoosex-runnable-perl version: 0.09-1 commands: mx-run name: libmozjs-38-dev version: 38.8.0~repack1-0ubuntu4 commands: js38-config name: libmp3-tag-perl version: 1.13-1.1 commands: audio_rename,mp3info2,typeset_audio_dir name: libmpich-dev version: 3.3~a2-4 commands: mpiCC,mpic++,mpicc,mpicc.mpich,mpichversion,mpicxx,mpicxx.mpich,mpif77,mpif77.mpich,mpif90,mpif90.mpich,mpifort,mpifort.mpich,mpivars name: libmpj-java version: 0.44+dfsg-3 commands: mpjboot,mpjclean,mpjdaemon,mpjhalt,mpjinfo,mpjrun,mpjstatus,runmpj name: libmrml1-dev version: 0.1.14+ds-1ubuntu1 commands: libMRML-config name: libmsiecf-utils version: 20170116-2 commands: msiecfexport,msiecfinfo name: libmspub-tools version: 0.1.4-1 commands: pub2raw,pub2xhtml name: libmstoolkit-tools version: 82-6 commands: msSingleScan name: libmwaw-tools version: 0.3.13-1 commands: mwaw2html,mwaw2raw,mwaw2text name: libmx-bin version: 1.99.4-1 commands: mx-create-image-cache name: libmxml-bin version: 2.10-1 commands: mxmldoc name: libmysofa-utils version: 0.6~dfsg0-2 commands: mysofa2json name: libmysql-diff-perl version: 0.50-1 commands: mysql-schema-diff name: libncarg-bin version: 6.4.0-9 commands: WRAPIT,ncargcc,ncargex,ncargf77,ncargf90,ng4ex,nhlcc,nhlf77,nhlf90,wrapit77 name: libndp-tools version: 1.6-1 commands: ndptool name: libnet-abuse-utils-perl version: 0.25-1 commands: ip-info name: libnet-amazon-s3-perl version: 0.80-1 commands: s3cl name: libnet-amazon-s3-tools-perl version: 0.08-2 commands: s3acl,s3get,s3ls,s3mkbucket,s3put,s3rm,s3rmbucket name: libnet-dict-perl version: 2.21-1 commands: pdict,tkdict name: libnet-gmail-imap-label-perl version: 0.007-1 commands: gmail-imap-label name: libnet-pcap-perl version: 0.18-2build1 commands: pcapinfo name: libnet-proxy-perl version: 0.12-6 commands: connect-tunnel,sslh name: libnet-rblclient-perl version: 0.5-3 commands: spamalyze name: libnet-snmp-perl version: 6.0.1-3 commands: snmpkey name: libnet-vnc-perl version: 0.40-2 commands: vnccapture name: libnetcdf-c++4-dev version: 4.3.0+ds-5 commands: ncxx4-config name: libnetcdf-dev version: 1:4.6.0-2build1 commands: nc-config name: libnetcdff-dev version: 4.4.4+ds-3 commands: nf-config name: libnetwork-ipv4addr-perl version: 0.10.ds-2 commands: ipv4calc name: libnetxx-dev version: 0.3.2-2ubuntu1 commands: Netxx-config name: libnfc-bin version: 1.7.1-4build1 commands: nfc-emulate-forum-tag4,nfc-list,nfc-mfclassic,nfc-mfultralight,nfc-read-forum-tag3,nfc-relay-picc,nfc-scan-device name: libnfc-examples version: 1.7.1-4build1 commands: nfc-anticol,nfc-dep-initiator,nfc-dep-target,nfc-emulate-forum-tag2,nfc-emulate-tag,nfc-emulate-uid,nfc-mfsetuid,nfc-poll,nfc-relay name: libnfc-pn53x-examples version: 1.7.1-4build1 commands: pn53x-diagnose,pn53x-sam,pn53x-tamashell name: libnfo1-bin version: 1.0.1-1.1build1 commands: libnfo-reader name: libngram-tools version: 1.3.2-3 commands: ngramapply,ngramcontext,ngramcount,ngramhisttest,ngraminfo,ngrammake,ngrammarginalize,ngrammerge,ngramperplexity,ngramprint,ngramrandgen,ngramrandtest,ngramread,ngramshrink,ngramsort,ngramsplit,ngramsymbols,ngramtransfer name: libnjb-tools version: 2.2.7~dfsg0-4build2 commands: njb-cursesplay,njb-delfile,njb-deltr,njb-dumpeax,njb-dumptime,njb-files,njb-fwupgrade,njb-getfile,njb-getowner,njb-gettr,njb-getusage,njb-handshake,njb-pl,njb-play,njb-playlists,njb-sendfile,njb-sendtr,njb-setowner,njb-setpbm,njb-settime,njb-tagtr,njb-tracks name: libnl-utils version: 3.2.29-0ubuntu3 commands: genl-ctrl-list,idiag-socket-details,nf-ct-add,nf-ct-list,nf-exp-add,nf-exp-delete,nf-exp-list,nf-log,nf-monitor,nf-queue,nl-addr-add,nl-addr-delete,nl-addr-list,nl-class-add,nl-class-delete,nl-class-list,nl-classid-lookup,nl-cls-add,nl-cls-delete,nl-cls-list,nl-fib-lookup,nl-link-enslave,nl-link-ifindex2name,nl-link-list,nl-link-name2ifindex,nl-link-release,nl-link-set,nl-link-stats,nl-list-caches,nl-list-sockets,nl-monitor,nl-neigh-add,nl-neigh-delete,nl-neigh-list,nl-neightbl-list,nl-pktloc-lookup,nl-qdisc-add,nl-qdisc-delete,nl-qdisc-list,nl-route-add,nl-route-delete,nl-route-get,nl-route-list,nl-rule-list,nl-tctree-list,nl-util-addr name: libnmz7-dev version: 2.0.21-21 commands: nmz-config name: libnova-dev version: 0.16-2 commands: libnovaconfig name: libns3-dev version: 3.27+dfsg-1 commands: ns3++ name: libnss-ldap version: 265-5ubuntu1 commands: nssldap-update-ignoreusers name: libnss3-tools version: 2:3.35-2ubuntu2 commands: certutil,chktest,cmsutil,crlutil,derdump,httpserv,modutil,nss-addbuiltin,nss-dbtest,nss-pp,ocspclnt,p7content,p7env,p7sign,p7verify,pk12util,pk1sign,pwdecrypt,rsaperf,selfserv,shlibsign,signtool,signver,ssltap,strsclnt,symkeyutil,tstclnt,vfychain,vfyserv name: libnxcl-bin version: 0.9-3.1ubuntu3 commands: libtest,notQttest,nxcl,nxcmd name: libnxt version: 0.3-9 commands: fwexec,fwflash name: libobus-ocaml-bin version: 1.1.5-6build1 commands: obus-dump,obus-gen-client,obus-gen-interface,obus-gen-server,obus-idl2xml,obus-introspect,obus-xml2idl name: libocamlnet-ocaml-bin version: 4.1.2-3 commands: netplex-admin,ocamlrpcgen name: libocas-tools version: 0.97+dfsg-3 commands: linclassif,msvmocas,svmocas name: liboctave-dev version: 4.2.2-1ubuntu1 commands: mkoctfile,octave-config name: libodb-api-bin version: 0.17.6-2build1 commands: eckit_version,ecml_test,ecml_unittests,ecmwf_odb,grib-to-mars-request,odb2netcdf.x,odbql_c_example,odbql_fortran_example,parse-mars-request name: libode-dev version: 2:0.14-2 commands: ode-config name: libogdi3.2-dev version: 3.2.0+ds-2 commands: ogdi-config name: libolecf-utils version: 20170825-2 commands: olecfexport,olecfinfo,olecfmount name: libomxil-bellagio-bin version: 0.9.3-4 commands: omxregister-bellagio,omxregister-bellagio-0 name: libopen-trace-format-dev version: 1.12.5+dfsg-2build1 commands: otfconfig name: libopenafs-dev version: 1.8.0~pre5-1 commands: afs_compile_et,rxgen name: libopencsg-example version: 1.4.2-1ubuntu1 commands: opencsgexample name: libopencv-dev version: 3.2.0+dfsg-4build2 commands: opencv_annotation,opencv_createsamples,opencv_interactive-calibration,opencv_traincascade,opencv_version,opencv_visualisation,opencv_waldboost_detector name: libopengm-bin version: 2.3.6+20160905-1build2 commands: matching2opengm,matching2opengm-N2N,opengm-brain-converter,opengm2uai,opengm2wudag,opengm_max_prod,opengm_min_sum,opengm_min_sum_small,partition2potts,uai2opengm name: libopenjp2-tools version: 2.3.0-1 commands: opj_compress,opj_decompress,opj_dump name: libopenjp3d-tools version: 2.3.0-1 commands: opj_jp3d_compress,opj_jp3d_decompress name: libopenjpip-dec-server version: 2.3.0-1 commands: opj_dec_server,opj_jpip_addxml,opj_jpip_test,opj_jpip_transcode name: libopenjpip-server version: 2.3.0-1 commands: opj_server name: libopenjpip-viewer version: 2.3.0-1 commands: opj_jpip_viewer name: libopenlayer-dev version: 2.1-2.1build1 commands: openlayer-config name: libopenmpi-dev version: 2.1.1-8 commands: mpiCC,mpiCC.openmpi,mpic++,mpic++.openmpi,mpicc,mpicc.openmpi,mpicxx,mpicxx.openmpi,mpif77,mpif77.openmpi,mpif90,mpif90.openmpi,mpifort,mpifort.openmpi,opal_wrapper,opalc++,opalcc,oshcc,oshfort name: libopenoffice-oodoc-perl version: 2.125-3 commands: odf2pod,odf_set_fields,odf_set_title,odfbuild,odfextract,odffilesearch,odffindbasic,odfhighlight,odfmetadoc,odfsearch,oodoc_test,text2odf,text2table name: libopenr2-bin version: 1.3.3-1build1 commands: r2test name: libopenscap8 version: 1.2.15-1build1 commands: oscap name: libopenusb-dev version: 1.1.11-2 commands: openusb-config name: libopenvdb-tools version: 5.0.0-1 commands: vdb_lod,vdb_print,vdb_render,vdb_view name: liborbit2-dev version: 1:2.14.19-4 commands: orbit2-config name: libosinfo-bin version: 1.1.0-1 commands: osinfo-detect,osinfo-install-script,osinfo-query name: libosmocore-utils version: 0.9.0-7 commands: osmo-arfcn,osmo-auc-gen name: libossp-sa-dev version: 1.2.6-2 commands: sa-config name: libossp-uuid-dev version: 1.6.2-1.5build4 commands: uuid-config name: libotf-bin version: 0.9.13-3build1 commands: otfdump,otflist,otftobdf,otfview name: libotr5-bin version: 4.1.1-2 commands: otr_mackey,otr_modify,otr_parse,otr_readforge,otr_remac,otr_sesskeys name: libots0 version: 0.5.0-2.3 commands: ots name: libowl-directsemantics-perl version: 0.001-2 commands: rdf2owl name: libpacparser1 version: 1.3.6-1.1build3 commands: pactester name: libpam-abl version: 0.6.0-5 commands: pam_abl name: libpam-barada version: 0.5-3.1build9 commands: barada-add name: libpam-ccreds version: 10-6ubuntu1 commands: cc_dump,cc_test,ccreds_chkpwd name: libpam-google-authenticator version: 20170702-1 commands: google-authenticator name: libpam-pkcs11 version: 0.6.9-2build2 commands: card_eventmgr,pkcs11_eventmgr,pkcs11_inspect,pkcs11_listcerts,pkcs11_make_hash_link,pkcs11_setup,pklogin_finder name: libpam-shield version: 0.9.6-1.3build1 commands: shield-purge,shield-trigger,shield-trigger-iptables,shield-trigger-ufw name: libpam-sshauth version: 0.4.1-2 commands: shm_askpass,waitfor name: libpam-tmpdir version: 0.09build1 commands: pam-tmpdir-helper name: libpam-yubico version: 2.23-1 commands: ykpamcfg name: libpandoc-elements-perl version: 0.33-2 commands: multifilter name: libpano13-bin version: 2.9.19+dfsg-3 commands: PTblender,PTcrop,PTinfo,PTmasker,PTmender,PToptimizer,PTroller,PTtiff2psd,PTtiffdump,PTuncrop,panoinfo name: libpar-packer-perl version: 1.041-2 commands: par-archive,parl,parldyn,pp name: libparse-dia-sql-perl version: 0.30-1 commands: parsediasql name: libparse-errorstring-perl-perl version: 0.27-1 commands: check_perldiag name: libpcre++-dev version: 0.9.5-6.1 commands: pcre++-config name: libpcre2-dev version: 10.31-2 commands: pcre2-config name: libpdal-dev version: 1.6.0-1build2 commands: pdal-config name: libperl-critic-perl version: 1.130-1 commands: perlcritic name: libperl-metrics-simple-perl version: 0.18-1 commands: countperl name: libperl-minimumversion-perl version: 1.38-1 commands: perlver name: libperl-prereqscanner-perl version: 1.023-1 commands: scan-perl-prereqs name: libperl-version-perl version: 1.013-1 commands: perl-reversion name: libperl5i-perl version: 2.13.2-1 commands: perl5i name: libperlanet-perl version: 0.56-3 commands: perlanet name: libperldoc-search-perl version: 0.01-3 commands: perldig name: libphysfs-dev version: 3.0.1-1 commands: test_physfs name: libpion-dev version: 5.0.7+dfsg-4 commands: helloserver,piond name: libpkgconfig-perl version: 0.19026-1 commands: ppkg-config name: libplack-perl version: 1.0047-1 commands: plackup name: libplist-utils version: 2.0.0-2ubuntu1 commands: plistutil name: libpod-2-docbook-perl version: 0.03-3 commands: pod2docbook name: libpod-abstract-perl version: 0.20-1 commands: paf name: libpod-index-perl version: 0.14-3 commands: podindex name: libpod-latex-perl version: 0.61-2 commands: pod2latex name: libpod-markdown-perl version: 3.005000-1 commands: pod2markdown name: libpod-pom-perl version: 2.01-1 commands: podlint,pom2,pomdump name: libpod-pom-view-restructured-perl version: 0.03-1 commands: pod2rst name: libpod-projectdocs-perl version: 0.50-1 commands: pod2projdocs name: libpod-readme-perl version: 1.1.2-2 commands: pod2readme name: libpod-simple-wiki-perl version: 0.20-1 commands: pod2wiki name: libpod-spell-perl version: 1.20-1 commands: podspell name: libpod-tests-perl version: 1.19-4 commands: pod2test name: libpod-tree-perl version: 1.25-1 commands: mod2html,perl2html,pods2html,podtree2html name: libpod-webserver-perl version: 3.11-1 commands: podwebserver name: libpod-xhtml-perl version: 1.61-2 commands: pod2xhtml name: libpodofo-utils version: 0.9.5-9 commands: podofobox,podofocolor,podofocountpages,podofocrop,podofoencrypt,podofogc,podofoimg2pdf,podofoimgextract,podofoimpose,podofoincrementalupdates,podofomerge,podofopages,podofopdfinfo,podofosign,podofotxt2pdf,podofotxtextract,podofouncompress,podofoxmp name: libpoe-test-loops-perl version: 1.360-1ubuntu2 commands: poe-gen-tests name: libpoet-perl version: 0.16-1 commands: poet name: libpolymake-dev version: 3.2r2-3 commands: polymake-config name: libpolyorb4-dev version: 2.11~20140418-4 commands: iac,idlac,po_gnatdist,polyorb-config name: libpomp2-dev version: 2.0.2-3 commands: opari2-config name: libppi-html-perl version: 1.08-1 commands: ppi2html name: libprelude-dev version: 4.1.0-4 commands: libprelude-config name: libproc-background-perl version: 1.10-1 commands: timed-process name: libproxy-tools version: 0.4.15-1 commands: proxy name: libpth-dev version: 2.0.7-20 commands: pth-config name: libpurple-bin version: 1:2.12.0-1ubuntu4 commands: purple-remote,purple-send,purple-send-async,purple-url-handler name: libpuzzle-bin version: 0.11-2 commands: puzzle-diff name: libpwiz-tools version: 3.0.10827-4 commands: idconvert,mscat,msconvert,txt2mzml name: libpwquality-tools version: 1.4.0-2 commands: pwmake,pwscore name: libpycaml-ocaml-dev version: 0.82-15build1 commands: pycamltop name: libpython3.7-dbg version: 3.7.0~b3-1 commands: s390x-linux-gnu-python3.7-dbg-config,s390x-linux-gnu-python3.7dm-config name: libpython3.7-dev version: 3.7.0~b3-1 commands: s390x-linux-gnu-python3.7-config,s390x-linux-gnu-python3.7m-config name: libqapt3-runtime version: 3.0.4-0ubuntu1 commands: qaptworker3 name: libqcow-utils version: 20170222-3 commands: qcowinfo,qcowmount name: libqd-dev version: 2.3.18+dfsg-2 commands: qd-config name: libqimageblitz-dev version: 1:0.0.6-5 commands: blitztest name: libqmi-utils version: 1.18.0-3ubuntu1 commands: qmi-firmware-update,qmi-network,qmicli name: libqt4-dev-bin version: 4:4.8.7+dfsg-7ubuntu1 commands: moc-qt4,uic-qt4 name: libqtgui4-perl version: 4:4.14.1-0ubuntu11 commands: puic4 name: libquantlib0-dev version: 1.12-1 commands: quantlib-benchmark,quantlib-config,quantlib-test-suite name: libqxp-tools version: 0.0.1-1 commands: qxp2raw,qxp2svg,qxp2text name: librad0-tools version: 2.12.0-5 commands: raddebug,radmrouted name: librarian-puppet version: 3.0.0-1 commands: librarian-puppet name: librarian-puppet-simple version: 0.0.5-3 commands: librarian-puppet name: libratbag-tools version: 0.9-4 commands: lur-command,ratbag-command name: librdf-doap-lite-perl version: 0.002-1 commands: cpan2doap name: librdf-ns-perl version: 20170111-1 commands: rdfns name: librdf-query-perl version: 2.918-1 commands: rqsh name: librecad version: 2.1.2-1 commands: librecad name: libregexp-assemble-perl version: 0.36-1 commands: regexp-assemble name: libregexp-debugger-perl version: 0.002001-1 commands: rxrx name: libregf-utils version: 20170130-2 commands: regfexport,regfinfo,regfmount name: libregina3-dev version: 3.6-2.1 commands: regina-config name: librenaissance0-dev version: 0.9.0-4build7 commands: GSMarkupBrowser,GSMarkupLocalizableStrings name: libreoffice-base version: 1:6.0.3-0ubuntu1 commands: lobase name: librep-dev version: 0.92.5-3build2 commands: rep-xgettext,repdoc name: libreply-perl version: 0.42-1 commands: reply name: libreswan version: 3.23-4 commands: ipsec name: librheolef-dev version: 6.7-6 commands: rheolef-config name: librime-bin version: 1.2.9+dfsg2-1 commands: rime_deployer,rime_dict_manager name: librivescript-perl version: 2.0.3-1 commands: rivescript name: libroar-compat-tools version: 1.0~beta11-10 commands: roarify name: libroar-dev version: 1.0~beta11-10 commands: roar-config,roarsockconnect,roartypes name: librpc-xml-perl version: 0.80-1 commands: make_method name: librsb-dev version: 1.2.0-rc7-5 commands: librsb-config,rsbench name: librsvg2-bin version: 2.40.20-2 commands: rsvg-convert,rsvg-view-3 name: libruli-bin version: 0.33-1.1build1 commands: httpsearch,ruli-getaddrinfo,smtpsearch,srvsearch,sync_httpsearch,sync_smtpsearch,sync_srvsearch name: libs3-2 version: 2.0-3 commands: s3 name: libsapi-utils version: 1.0-1 commands: resourcemgr,tpmclient,tpmtest name: libsaxon-java version: 1:6.5.5-12 commands: saxon-xslt name: libsaxonb-java version: 9.1.0.8+dfsg-2 commands: saxonb-xquery,saxonb-xslt name: libsc-dev version: 2.3.1-18build1 commands: sc-config,scls,scpr name: libscca-utils version: 20170205-2 commands: sccainfo name: libscout version: 0.0~git20161124~dcd2a9e-1 commands: libscout name: libscrappy-perl version: 0.94112090-2 commands: scrappy name: libsdl2-dev version: 2.0.8+dfsg1-1ubuntu1 commands: sdl2-config name: libsecret-tools version: 0.18.6-1 commands: secret-tool name: libserver-starter-perl version: 0.33-1 commands: start_server name: libsgml-dtdparse-perl version: 2.00-1 commands: dtddiff,dtddiff2html,dtdflatten,dtdformat,dtdparse name: libshell-perl-perl version: 0.0026-1 commands: pirl name: libsigscan-utils version: 20170124-2 commands: sigscan name: libsilo-bin version: 4.10.2.real-2 commands: browser,silex,silock,silodiff,silofile name: libsimage-dev version: 1.7.1~2c958a6.dfsg-4 commands: simage-config name: libsimgrid-dev version: 3.18+dfsg-1 commands: simgrid-colorizer,simgrid-graphicator,simgrid_update_xml,smpicc,smpicxx,smpif90,smpiff,smpirun,tesh name: libsimgrid3.18 version: 3.18+dfsg-1 commands: smpimain name: libsixel-bin version: 1.7.3-1 commands: img2sixel,libsixel-config,sixel2png name: libskk-dev version: 1.0.2-3build1 commands: skk name: libsmartcardpp-dev version: 0.3.0-0ubuntu8 commands: card-test name: libsmdev-utils version: 20171112-1 commands: smdevinfo name: libsmpeg-dev version: 0.4.5+cvs20030824-7.2 commands: smpeg-config name: libsmraw-utils version: 20180123-1 commands: smrawmount,smrawverify name: libsoap-lite-perl version: 1.26-1 commands: SOAPsh,stubmaker name: libsoap-wsdl-perl version: 3.003-2 commands: wsdl2perl name: libsocket-getaddrinfo-perl version: 0.22-3 commands: socket_getaddrinfo,socket_getnameinfo name: libsoldout-utils version: 1.4-2 commands: markdown2html,markdown2latex,markdown2man name: libsolv-tools version: 0.6.30-1build1 commands: archpkgs2solv,archrepo2solv,deb2solv,deltainfoxml2solv,dumpsolv,helix2solv,installcheck,mdk2solv,mergesolv,repo2solv,repomdxml2solv,rpmdb2solv,rpmmd2solv,rpms2solv,solv,susetags2solv,testsolv,updateinfoxml2solv name: libsoqt-dev-common version: 1.6.0~e8310f-4 commands: soqt-config name: libspdylay-utils version: 1.3.2-2.1build2 commands: shrpx,spdycat,spdyd name: libspreadsheet-writeexcel-perl version: 2.40-1 commands: chartex name: libsql-reservedwords-perl version: 0.8-2 commands: sqlrw name: libsql-splitstatement-perl version: 1.00020-1 commands: sql-split name: libsql-translator-perl version: 0.11024-1 commands: sqlt,sqlt-diagram,sqlt-diff,sqlt-diff-old,sqlt-dumper,sqlt-graph name: libstaden-read-dev version: 1.14.9-4 commands: io_lib-config name: libstaroffice-tools version: 0.0.5-1 commands: sd2raw,sd2svg,sd2text,sdc2csv,sdw2html name: libstemmer-tools version: 0+svn585-1build1 commands: stemwords name: libstring-mkpasswd-perl version: 0.05-1 commands: mkpasswd.pl name: libstring-shellquote-perl version: 1.04-1 commands: shell-quote name: libstxxl1-bin version: 1.4.1-2build1 commands: stxxl_tool name: libsubtitles-perl version: 1.04-2 commands: subs name: libsvm-tools version: 3.21+ds-1.1 commands: svm-checkdata,svm-easy,svm-grid,svm-predict,svm-scale,svm-subset,svm-train name: libsvn-notify-perl version: 2.86-1 commands: svnnotify name: libsvn-web-perl version: 0.63-3 commands: svnweb-install name: libswe-dev version: 1.80.00.0002-1ubuntu2 commands: swemini,swetest name: libsword-utils version: 1.7.3+dfsg-9.1build2 commands: addld,imp2gbs,imp2ld,imp2vs,installmgr,mkfastmod,mod2imp,mod2osis,mod2vpl,mod2zmod,osis2mod,tei2mod,vpl2mod,vs2osisref,vs2osisreftxt,xml2gbs name: libsynfig-dev version: 1.2.1-0ubuntu4 commands: synfig-config name: libsyntax-highlight-perl-improved-perl version: 1.01-5 commands: viewperl name: libt3key-bin version: 0.2.8-1 commands: t3keyc,t3learnkeys name: libtag-extras-dev version: 1.0.1-3.1 commands: taglib-extras-config name: libtap-formatter-junit-perl version: 0.11-1 commands: tap2junit name: libtap-parser-sourcehandler-pgtap-perl version: 3.33-2 commands: pg_prove,pg_tapgen name: libtasn1-bin version: 4.13-2 commands: asn1Coding,asn1Decoding,asn1Parser name: libteam-utils version: 1.26-1 commands: bond2team,teamd,teamdctl,teamnl name: libtelnet-utils version: 0.21-5 commands: telnet-chatd,telnet-client,telnet-proxy name: libtemplates-parser11.10.2-dev version: 17.2-3 commands: templates2ada,templatespp name: libterm-extendedcolor-perl version: 0.224-1 commands: color_matrix,colored_dmesg,show_all_colors,uncolor name: libterm-readline-gnu-perl version: 1.35-3ubuntu1 commands: perlsh name: libtest-bdd-cucumber-perl version: 0.53-1 commands: pherkin name: libtest-harness-perl version: 3.39-1 commands: prove name: libtest-hasversion-perl version: 0.014-1 commands: test_version name: libtest-inline-perl version: 2.213-2 commands: inline2test name: libtest-kwalitee-perl version: 1.27-1 commands: kwalitee-metrics name: libtest-mojibake-perl version: 1.3-1 commands: scan_mojibake name: libtext-lorem-perl version: 0.3-2 commands: lorem name: libtext-markdown-perl version: 1.000031-2 commands: markdown name: libtext-multimarkdown-perl version: 1.000035-1 commands: multimarkdown name: libtext-ngrams-perl version: 2.006-1 commands: ngrams name: libtext-pdf-perl version: 0.31-1 commands: pdfbklt,pdfrevert,pdfstamp name: libtext-recordparser-perl version: 1.6.5-1 commands: tab2graph,tablify,tabmerge name: libtext-rewriterules-perl version: 0.25-1 commands: textrr name: libtext-sass-perl version: 1.0.4-1 commands: sass2css name: libtext-textile-perl version: 2.13-2 commands: textile name: libtext-xslate-perl version: 3.5.6-1 commands: xslate name: libtheora-bin version: 1.1.1+dfsg.1-14 commands: theora_dump_video,theora_encoder_example,theora_player_example,theora_png2theora name: libtheschwartz-perl version: 1.12-1 commands: schwartzmon name: libtiff-opengl version: 4.0.9-5 commands: tiffgt name: libtiff-tools version: 4.0.9-5 commands: fax2ps,fax2tiff,pal2rgb,ppm2tiff,raw2tiff,tiff2bw,tiff2pdf,tiff2ps,tiff2rgba,tiffcmp,tiffcp,tiffcrop,tiffdither,tiffdump,tiffinfo,tiffmedian,tiffset,tiffsplit name: libtk-pod-perl version: 0.9943-1 commands: tkmore,tkpod name: libtm-perl version: 1.56-8 commands: tm name: libtntnet-dev version: 2.2.1-3build1 commands: ecppc,ecppl,ecppll,tntnet-config name: libtolua++5.1-dev version: 1.0.93+repack-0ubuntu1 commands: tolua++5.1 name: libtolua-dev version: 5.2.0-1build1 commands: tolua name: libtowitoko-dev version: 2.0.7-9build1 commands: towitoko-tester name: libtrace-tools version: 3.0.21-1ubuntu2 commands: traceanon,traceconvert,tracediff,traceends,tracefilter,tracemerge,tracepktdump,tracereplay,tracereport,tracertstats,tracesplit,tracesplit_dir,tracestats,tracesummary,tracetop,tracetopends,wandiocat name: libtranscript-dev version: 0.3.3-1 commands: linkltc name: libtranslate-bin version: 0.99-0ubuntu9 commands: translate-bin name: libtravel-routing-de-vrr-perl version: 2.16-1 commands: efa name: libts-bin version: 1.15-1 commands: ts_calibrate,ts_finddev,ts_harvest,ts_print,ts_print_mt,ts_print_raw,ts_test,ts_test_mt,ts_uinput,ts_verify name: libucommon-dev version: 7.0.0-12 commands: commoncpp-config,ucommon-config name: libufo-bin version: 0.15.1-1 commands: ufo-launch,ufo-mkfilter,ufo-prof,ufo-query,ufo-runjson name: libui-gxmlcpp-dev version: 1.4.4-1build2 commands: ui-gxmlcpp-version name: libui-utilcpp-dev version: 1.8.5-1build3 commands: ui-utilcpp-version name: libunicode-japanese-perl version: 0.49-1build3 commands: ujconv,ujguess name: libunicode-map8-perl version: 0.13+dfsg-4build4 commands: umap name: libunity-tools version: 7.1.4+18.04.20180209.1-0ubuntu2 commands: libunity-tool name: libur-perl version: 0.450-1 commands: ur name: liburdfdom-tools version: 1.0.0-2build2 commands: check_urdf,urdf_to_graphiz name: liburi-find-perl version: 20160806-2 commands: urifind name: libusbmuxd-tools version: 1.1.0~git20171206.c724e70f-0.1 commands: iproxy name: libuser version: 1:0.62~dfsg-0.1ubuntu2 commands: lchage,lchfn,lchsh,lgroupadd,lgroupdel,lgroupmod,libuser-lid,lnewusers,lpasswd,luseradd,luserdel,lusermod name: libuuidm-ocaml-dev version: 0.9.5-2build1 commands: uuidtrip name: libva-dev version: 2.1.0-3 commands: dh_libva name: libvanessa-logger-sample version: 0.0.10-3build1 commands: vanessa_logger_sample name: libvanessa-socket-pipe version: 0.0.13-1build1 commands: vanessa_socket_pipe name: libvcs-lite-perl version: 0.10-1 commands: vldiff,vlmerge,vlpatch name: libvdk2-dev version: 2.4.0-5.5 commands: vdk-config-2 name: libverilog-perl version: 3.448-1 commands: vhier,vpassert,vppreproc,vrename name: libvhdi-utils version: 20170223-3 commands: vhdiinfo,vhdimount name: libvips-tools version: 8.4.5-1build1 commands: batch_crop,batch_image_convert,batch_rubber_sheet,light_correct,shrink_width,vips,vips-8.4,vipsedit,vipsheader,vipsprofile,vipsthumbnail name: libvisio-tools version: 0.1.6-1build1 commands: vsd2raw,vsd2text,vsd2xhtml,vss2raw,vss2text,vss2xhtml name: libvisp-dev version: 3.1.0-2 commands: visp-config name: libvm-ec2-perl version: 1.28-2build1 commands: migrate-ebs-image,sync_to_snapshot name: libvmdk-utils version: 20170226-3 commands: vmdkinfo,vmdkmount name: libvolk1-bin version: 1.3-3 commands: volk-config-info,volk_modtool,volk_profile name: libvpb1 version: 4.2.59-2 commands: VpbConfigurator,vpbconf,vpbscan,vtdeviceinfo,vtdriverinfo name: libvshadow-utils version: 20170902-2 commands: vshadowdebug,vshadowinfo,vshadowmount name: libvslvm-utils version: 20160110-3 commands: vslvminfo,vslvmmount name: libvterm-bin version: 0~bzr715-1 commands: unterm,vterm-ctrl,vterm-dump name: libvtk6-java version: 6.3.0+dfsg1-11build1 commands: vtkParseJava-6.3,vtkWrapJava-6.3 name: libvtk7-java version: 7.1.1+dfsg1-2 commands: vtkParseJava-7.1,vtkWrapJava-7.1 name: libvtkgdcm-tools version: 2.8.4-1build2 commands: gdcm2pnm,gdcm2vtk,gdcmviewer name: libwbxml2-utils version: 0.10.7-1build1 commands: wbxml2xml,xml2wbxml name: libweb-mrest-cli-perl version: 0.283-1 commands: mrest-cli name: libweb-mrest-perl version: 0.288-1 commands: mrest,mrest-standalone name: libwebsockets-test-server version: 2.0.3-3build1 commands: libwebsockets-test-client,libwebsockets-test-echo,libwebsockets-test-fraggle,libwebsockets-test-fuzxy,libwebsockets-test-ping,libwebsockets-test-server,libwebsockets-test-server-extpoll,libwebsockets-test-server-libev,libwebsockets-test-server-libuv,libwebsockets-test-server-pthreads name: libwibble-dev version: 1.1-2 commands: wibble-test-genrunner name: libwiki-toolkit-perl version: 0.85-1 commands: wiki-toolkit-delete-node,wiki-toolkit-rename-node,wiki-toolkit-revert-to-date,wiki-toolkit-setupdb name: libwin-hivex-perl version: 1.3.15-1 commands: hivexregedit name: libwings-dev version: 0.95.8-2 commands: get-wings-flags,get-wutil-flags name: libwmf-bin version: 0.2.8.4-12 commands: wmf2eps,wmf2fig,wmf2gd,wmf2svg,wmf2x name: libwpd-tools version: 0.10.2-2 commands: wpd2html,wpd2raw,wpd2text name: libwpg-tools version: 0.3.1-3 commands: wpg2raw,wpg2svg name: libwps-tools version: 0.4.8-1 commands: wks2csv,wks2raw,wks2text,wps2html,wps2raw,wps2text name: libwraster-dev version: 0.95.8-2 commands: get-wraster-flags name: libwvstreams-dev version: 4.6.1-11 commands: wvtestrun name: libwww-dict-leo-org-perl version: 2.02-1 commands: leo name: libwww-finger-perl version: 0.105-1 commands: fingerw name: libwww-mechanize-perl version: 1.86-1 commands: mech-dump name: libwww-mediawiki-client-perl version: 0.31-2 commands: mvs name: libwww-search-perl version: 2.51.70-1 commands: AutoSearch,WebSearch,googlism,pagesjaunes name: libwww-topica-perl version: 0.6-5 commands: topica2mail name: libwww-wikipedia-perl version: 2.05-1 commands: wikipedia name: libwww-youtube-download-perl version: 0.59-1 commands: youtube-download,youtube-playlists name: libwx-perl version: 1:0.9932-4 commands: wxperl_overload name: libwxbase3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-dev version: 3.0.4+dfsg-3 commands: wx-config name: libwxgtk3.0-gtk3-dev version: 3.0.4+dfsg-3 commands: wx-config name: libx52pro0 version: 0.1.1-2.3build1 commands: x52output name: libxbase64-bin version: 3.1.2-12 commands: checkndx,copydbf,dbfutil1,dbfxtrct,deletall,dumphdr,dumprecs,packdbf,reindex,undelall,zap name: libxerces-c-samples version: 3.2.0+debian-2 commands: CreateDOMDocument,DOMCount,DOMPrint,EnumVal,MemParse,PParse,PSVIWriter,Redirect,SAX2Count,SAX2Print,SAXCount,SAXPrint,SCMPrint,SEnumVal,StdInParse,XInclude name: libxfce4ui-utils version: 4.13.4-1ubuntu1 commands: xfce4-about,xfhelp4 name: libxfce4util-bin version: 4.12.1-3 commands: xfce4-kiosk-query name: libxgks-dev version: 2.6.1+dfsg.2-5 commands: defcolors,font,fortc,mi,pline,pmark name: libxine2-bin version: 1.2.8-2build2 commands: xine-list-1.2 name: libxine2-dev version: 1.2.8-2build2 commands: dh_xine name: libxml-compile-perl version: 1.58-2 commands: schema2example,xml2json,xml2yaml name: libxml-dt-perl version: 0.68-1 commands: mkdtdskel,mkdtskel,mkxmltype name: libxml-encoding-perl version: 2.09-1 commands: compile_encoding,make_encmap name: libxml-filter-sort-perl version: 1.01-4 commands: xmlsort name: libxml-handler-yawriter-perl version: 0.23-6 commands: xmlpretty name: libxml-tidy-perl version: 1.20-1 commands: xmltidy name: libxml-tmx-perl version: 0.36-1 commands: tmx-POStagger,tmx-explode,tmx-tokenize,tmx2html,tmx2tmx,tmxclean,tmxgrep,tmxsplit,tmxuniq,tmxwc,tsv2tmx name: libxml-validate-perl version: 1.025-3 commands: validxml name: libxml-xpath-perl version: 1.42-1 commands: xpath name: libxml-xupdate-libxml-perl version: 0.6.0-3 commands: xupdate name: libxmlm-ocaml-dev version: 1.2.0-2build1 commands: xmltrip name: libxmlrpc-core-c3-dev version: 1.33.14-8build1 commands: xmlrpc,xmlrpc-c-config name: libxosd-dev version: 2.2.14-2.1build1 commands: xosd-config name: libxy-bin version: 1.3-1.1build1 commands: xyconv name: libyami-utils version: 1.3.0-1 commands: yamidecode,yamiencode,yamiinfo,yamitranscode,yamivpp name: libyaml-shell-perl version: 0.71-2 commands: ysh name: libyaz5-dev version: 5.19.2-0ubuntu3 commands: yaz-asncomp,yaz-config name: libyazpp-dev version: 1.6.5-0ubuntu1 commands: yazpp-config name: libykclient-dev version: 2.15-1 commands: ykclient name: libyojson-ocaml-dev version: 1.3.2-1build2 commands: ydump name: libyubikey-dev version: 1.13-2 commands: modhex,ykgenerate,ykparse name: libzia-dev version: 4.09-1 commands: zia-config name: libzmf-tools version: 0.0.2-1build2 commands: zmf2raw,zmf2svg name: libzthread-dev version: 2.3.2-8 commands: zthread-config name: license-finder-pip version: 2.1.2-2 commands: license_finder_pip.py name: license-reconcile version: 0.14 commands: license-reconcile name: licenseutils version: 0.0.9-2 commands: licensing,lu-comment-extractor,lu-sh,notice name: lie version: 2.2.2+dfsg-3 commands: lie name: lierolibre version: 0.5-3 commands: lierolibre,lierolibre-extractgfx,lierolibre-extractlev,lierolibre-extractsounds,lierolibre-packgfx,lierolibre-packlev,lierolibre-packsounds name: lifelines version: 3.0.61-2build2 commands: btedit,dbverify,llexec,llines name: lifeograph version: 1.4.2-1 commands: lifeograph name: liferea version: 1.12.2-1 commands: liferea,liferea-add-feed name: lift version: 2.5.0-1 commands: lift name: liggghts version: 3.7.0+repack1-1 commands: liggghts name: light-locker version: 1.8.0-1ubuntu1 commands: light-locker,light-locker-command name: light-locker-settings version: 1.5.0-0ubuntu2 commands: light-locker-settings name: lightdm version: 1.26.0-0ubuntu1 commands: dm-tool,guest-account,lightdm,lightdm-session name: lightdm-gtk-greeter version: 2.0.5-0ubuntu1 commands: lightdm-gtk-greeter name: lightdm-gtk-greeter-settings version: 1.2.2-1 commands: lightdm-gtk-greeter-settings,lightdm-gtk-greeter-settings-pkexec name: lightdm-settings version: 1.1.4-0ubuntu1 commands: lightdm-settings name: lightdm-webkit-greeter version: 0.1.2-0ubuntu4 commands: lightdm-webkit-greeter name: lightify-util version: 0~git20160911-1 commands: lightify-util name: lightsoff version: 1:3.28.0-1 commands: lightsoff name: lightspeed version: 1.2a-10build1 commands: lightspeed name: lighttpd version: 1.4.45-1ubuntu3 commands: lighttpd,lighttpd-angel,lighttpd-disable-mod,lighttpd-enable-mod,lighty-disable-mod,lighty-enable-mod name: lightyears version: 1.4-2 commands: lightyears name: liguidsoap version: 1.1.1-7.2ubuntu1 commands: liguidsoap name: lilv-utils version: 0.24.2~dfsg0-1 commands: lilv-bench,lv2apply,lv2bench,lv2info,lv2ls name: lilypond version: 2.18.2-12build1 commands: abc2ly,convert-ly,etf2ly,lilymidi,lilypond,lilypond-book,lilypond-invoke-editor,lilypond-invoke-editor.real,lilypond.real,lilysong,midi2ly,musicxml2ly name: lilyterm version: 0.9.9.4+git20150208.f600c0-5 commands: lilyterm,x-terminal-emulator name: limba version: 0.5.6-2 commands: limba,runapp name: limba-devtools version: 0.5.6-2 commands: limba-build,lipkgen name: limba-licompile version: 0.5.6-2 commands: lig++,ligcc,relaytool name: limereg version: 1.4.1-3build3 commands: limereg name: limesuite version: 17.12.0+dfsg-1 commands: LimeSuiteGUI,LimeUtil name: limnoria version: 2018.01.25-1 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: linaro-boot-utils version: 0.1-0ubuntu2 commands: usbboot name: linaro-image-tools version: 2016.05-1.1 commands: linaro-android-media-create,linaro-hwpack-append,linaro-hwpack-convert,linaro-hwpack-create,linaro-hwpack-install,linaro-hwpack-replace,linaro-media-create name: lincity version: 1.13.1-13 commands: lincity,xlincity name: lincity-ng version: 2.9~git20150314-3 commands: lincity-ng name: lincredits version: 0.7+nmu1 commands: lincredits name: lingot version: 0.9.1-2build2 commands: lingot name: linguider version: 4.1.1-1 commands: lg_tool,lin_guider name: link-grammar version: 5.3.16-2 commands: link-parser name: linkchecker version: 9.3-5 commands: linkchecker name: linkchecker-gui version: 9.3-5 commands: linkchecker-gui name: linklint version: 2.3.5-5.1 commands: linklint name: links version: 2.14-5build1 commands: links,www-browser name: links2 version: 2.14-5build1 commands: links2,www-browser,x-www-browser,xlinks2 name: linpac version: 0.24-3 commands: linpac name: linphone version: 3.6.1-3build1 commands: linphone,mediastream name: linphone-nogtk version: 3.6.1-3build1 commands: linphonec,linphonecsh name: linpsk version: 1.3.5-1 commands: linpsk name: linsmith version: 0.99.30-1build1 commands: linsmith name: linssid version: 2.9-3build1 commands: linssid name: lintex version: 1.14-1build1 commands: lintex name: linux-igd version: 1.0+cvs20070630-6 commands: upnpd name: linux-show-player version: 0.5-1 commands: linux-show-player name: linux-user-chroot version: 2013.1-2build1 commands: linux-user-chroot name: linux-wlan-ng version: 0.2.9+dfsg-6 commands: nwepgen,wlancfg,wlanctl-ng name: linux-wlan-ng-firmware version: 0.2.9+dfsg-6 commands: linux-wlan-ng-build-firmware-deb name: linuxbrew-wrapper version: 20170516-2 commands: brew,linuxbrew name: linuxdcpp version: 1.1.0-4 commands: linuxdcpp name: linuxdoc-tools version: 0.9.72-4build1 commands: linuxdoc,sgml2html,sgml2info,sgml2latex,sgml2lyx,sgml2rtf,sgml2txt,sgmlcheck,sgmlsasp name: linuxinfo version: 2.5.0-1 commands: linuxinfo name: linuxlogo version: 5.11-9 commands: linux_logo,linuxlogo name: linuxptp version: 1.8-1 commands: hwstamp_ctl,phc2sys,phc_ctl,pmc,ptp4l,timemaster name: linuxvnc version: 0.9.10-2build1 commands: linuxvnc name: lios version: 2.7-1 commands: lios,train-tesseract name: liquidprompt version: 1.11-3ubuntu1 commands: liquidprompt_activate name: liquidsoap version: 1.1.1-7.2ubuntu1 commands: liquidsoap name: liquidwar version: 5.6.4-5 commands: liquidwar,liquidwar-mapgen name: liquidwar-server version: 5.6.4-5 commands: liquidwar-server name: lirc version: 0.10.0-2 commands: ircat,irdb-get,irexec,irpipe,irpty,irrecord,irsend,irsimreceive,irsimsend,irtestcase,irtext2udp,irw,lirc-config-tool,lirc-init-db,lirc-lsplugins,lirc-lsremotes,lirc-make-devinput,lirc-setup,lircd,lircd-setup,lircd-uinput,lircmd,lircrcd,mode2,pronto2lirc name: lirc-x version: 0.10.0-2 commands: irxevent,xmode2 name: lisaac version: 1:0.39~rc1-3build1 commands: lisaac name: listadmin version: 2.42-1 commands: listadmin name: literki version: 0.0.0+20100113.git1da40724-1.2build1 commands: literki name: litl-tools version: 0.1.9-2 commands: litl_merge,litl_print,litl_split name: litmus version: 0.13-1 commands: litmus name: littlewizard version: 1.2.2-4 commands: littlewizard,littlewizardtest name: live-boot version: 1:20170623 commands: live-boot,live-swapfile name: live-tools version: 1:20171207 commands: live-medium-cache,live-medium-eject,live-partial-squashfs-updates,live-persistence,live-system,live-toram,live-update-initramfs,live-update-initramfs-uuid,update-initramfs name: live-wrapper version: 0.7 commands: lwr name: livemedia-utils version: 2018.02.18-1 commands: MPEG2TransportStreamIndexer,live555MediaServer,live555ProxyServer,openRTSP,playSIP,registerRTSPStream,sapWatch,testAMRAudioStreamer,testDVVideoStreamer,testH264VideoStreamer,testH264VideoToTransportStream,testH265VideoStreamer,testH265VideoToTransportStream,testMKVStreamer,testMP3Receiver,testMP3Streamer,testMPEG1or2AudioVideoStreamer,testMPEG1or2ProgramToTransportStream,testMPEG1or2Splitter,testMPEG1or2VideoReceiver,testMPEG1or2VideoStreamer,testMPEG2TransportReceiver,testMPEG2TransportStreamTrickPlay,testMPEG2TransportStreamer,testMPEG4VideoStreamer,testOggStreamer,testOnDemandRTSPServer,testRTSPClient,testRelay,testReplicator,testWAVAudioStreamer,vobStreamer name: livemix version: 0.49~rc5-0ubuntu3 commands: livemix name: lives version: 2.8.7-1 commands: lives,smogrify name: lives-plugins version: 2.8.7-1 commands: build-lives-rfx-plugin,build-lives-rfx-plugin-multi,lives_avi_encoder3,lives_dirac_encoder3,lives_gif_encoder3,lives_mkv_encoder3,lives_mng_encoder3,lives_mpeg_encoder3,lives_ogm_encoder3,lives_theora_encoder3 name: livescript version: 1.5.0+dfsg-4 commands: lsc name: livestreamer version: 1.12.2+streamlink+0.10.0+dfsg-1 commands: livestreamer name: liwc version: 1.21-1build1 commands: ccmtcnvt,chktri,cstr,entrigraph,rmccmt,untrigraph name: lizardfs-adm version: 3.12.0+dfsg-1 commands: lizardfs-admin,lizardfs-probe name: lizardfs-cgiserv version: 3.12.0+dfsg-1 commands: lizardfs-cgiserver name: lizardfs-chunkserver version: 3.12.0+dfsg-1 commands: mfschunkserver name: lizardfs-client version: 3.12.0+dfsg-1 commands: lizardfs,mfsmount name: lizardfs-master version: 3.12.0+dfsg-1 commands: mfsmaster,mfsmetadump,mfsmetarestore,mfsrestoremaster name: lizardfs-metalogger version: 3.12.0+dfsg-1 commands: mfsmetalogger name: lksctp-tools version: 1.0.17+dfsg-2 commands: checksctp,sctp_darn,sctp_status,sctp_test,withsctp name: lldpad version: 1.0.1+git20150824.036e314-2 commands: dcbtool,lldpad,lldptool,vdptool name: lldpd version: 0.9.9-1 commands: lldpcli,lldpctl,lldpd name: llgal version: 0.13.19-1 commands: llgal name: llmnrd version: 0.5-1 commands: llmnr-query,llmnrd name: lltag version: 0.14.6-1 commands: lltag name: llvm version: 1:6.0-41~exp4 commands: bugpoint,llc,llvm-ar,llvm-as,llvm-bcanalyzer,llvm-config,llvm-cov,llvm-diff,llvm-dis,llvm-dwarfdump,llvm-extract,llvm-link,llvm-mc,llvm-nm,llvm-objdump,llvm-profdata,llvm-ranlib,llvm-rtdyld,llvm-size,llvm-symbolizer,llvm-tblgen,obj2yaml,opt,verify-uselistorder,yaml2obj name: llvm-3.9-tools version: 1:3.9.1-19ubuntu1 commands: FileCheck-3.9,count-3.9,not-3.9 name: llvm-4.0 version: 1:4.0.1-10 commands: bugpoint-4.0,llc-4.0,llvm-PerfectShuffle-4.0,llvm-ar-4.0,llvm-as-4.0,llvm-bcanalyzer-4.0,llvm-c-test-4.0,llvm-cat-4.0,llvm-config-4.0,llvm-cov-4.0,llvm-cxxdump-4.0,llvm-cxxfilt-4.0,llvm-diff-4.0,llvm-dis-4.0,llvm-dsymutil-4.0,llvm-dwarfdump-4.0,llvm-dwp-4.0,llvm-extract-4.0,llvm-lib-4.0,llvm-link-4.0,llvm-lto-4.0,llvm-lto2-4.0,llvm-mc-4.0,llvm-mcmarkup-4.0,llvm-modextract-4.0,llvm-nm-4.0,llvm-objdump-4.0,llvm-opt-report-4.0,llvm-pdbdump-4.0,llvm-profdata-4.0,llvm-ranlib-4.0,llvm-readobj-4.0,llvm-rtdyld-4.0,llvm-size-4.0,llvm-split-4.0,llvm-stress-4.0,llvm-strings-4.0,llvm-symbolizer-4.0,llvm-tblgen-4.0,llvm-xray-4.0,obj2yaml-4.0,opt-4.0,sanstats-4.0,verify-uselistorder-4.0,yaml2obj-4.0 name: llvm-4.0-runtime version: 1:4.0.1-10 commands: lli-4.0,lli-child-target-4.0 name: llvm-4.0-tools version: 1:4.0.1-10 commands: FileCheck-4.0,count-4.0,not-4.0 name: llvm-5.0 version: 1:5.0.1-4 commands: bugpoint-5.0,llc-5.0,llvm-PerfectShuffle-5.0,llvm-ar-5.0,llvm-as-5.0,llvm-bcanalyzer-5.0,llvm-c-test-5.0,llvm-cat-5.0,llvm-config-5.0,llvm-cov-5.0,llvm-cvtres-5.0,llvm-cxxdump-5.0,llvm-cxxfilt-5.0,llvm-diff-5.0,llvm-dis-5.0,llvm-dlltool-5.0,llvm-dsymutil-5.0,llvm-dwarfdump-5.0,llvm-dwp-5.0,llvm-extract-5.0,llvm-lib-5.0,llvm-link-5.0,llvm-lto-5.0,llvm-lto2-5.0,llvm-mc-5.0,llvm-mcmarkup-5.0,llvm-modextract-5.0,llvm-mt-5.0,llvm-nm-5.0,llvm-objdump-5.0,llvm-opt-report-5.0,llvm-pdbutil-5.0,llvm-profdata-5.0,llvm-ranlib-5.0,llvm-readelf-5.0,llvm-readobj-5.0,llvm-rtdyld-5.0,llvm-size-5.0,llvm-split-5.0,llvm-stress-5.0,llvm-strings-5.0,llvm-symbolizer-5.0,llvm-tblgen-5.0,llvm-xray-5.0,obj2yaml-5.0,opt-5.0,sanstats-5.0,verify-uselistorder-5.0,yaml2obj-5.0 name: llvm-5.0-runtime version: 1:5.0.1-4 commands: lli-5.0,lli-child-target-5.0 name: llvm-5.0-tools version: 1:5.0.1-4 commands: FileCheck-5.0,count-5.0,not-5.0 name: llvm-6.0-tools version: 1:6.0-1ubuntu2 commands: FileCheck-6.0,count-6.0,not-6.0 name: llvm-runtime version: 1:6.0-41~exp4 commands: lli name: lm-sensors version: 1:3.4.0-4 commands: sensors,sensors-conf-convert,sensors-detect name: lm4flash version: 20141201~5a4bc0b+dfsg-1build1 commands: lm4flash name: lmarbles version: 1.0.8-0.2 commands: lmarbles name: lmdb-utils version: 0.9.21-1 commands: mdb_copy,mdb_dump,mdb_load,mdb_stat name: lmemory version: 0.6c-8build1 commands: lmemory name: lmicdiusb version: 20141201~5a4bc0b+dfsg-1build1 commands: lmicdi name: lmms version: 1.1.3-7 commands: lmms name: lnav version: 0.8.2-3 commands: lnav name: lnpd version: 0.9.0-11build1 commands: lnpd,lnpdll,lnpdllx,lnptest,lnptest2 name: loadmeter version: 1.20-6build1 commands: loadmeter name: loadwatch version: 1.0+1.1alpha1-6build1 commands: loadwatch,lw-ctl name: localehelper version: 0.1.4-3 commands: localehelper name: localepurge version: 0.7.3.4 commands: localepurge name: locate version: 4.6.0+git+20170828-2 commands: locate,locate.findutils,updatedb,updatedb.findutils name: lockdown version: 0.2 commands: lockdown name: lockout version: 0.2.3-3 commands: lockout name: logapp version: 0.15-1build1 commands: logapp,logcvs,logmake,logsvn name: logcentral version: 2.7-1.1build1 commands: LogCentral name: logcentral-tools version: 2.7-1.1build1 commands: DIETtestTool,logForwarder,testComponent name: logdata-anomaly-miner version: 0.0.7-1 commands: AMiner,AMinerRemoteControl name: logfs-tools version: 20121013-2build1 commands: mkfs.logfs,mklogfs name: loggedfs version: 0.5-0ubuntu4 commands: loggedfs name: loggerhead version: 1.19~bzr479+dfsg-2 commands: loggerhead.wsgi,serve-branches name: logidee-tools version: 1.2.18 commands: setup-logidee-tools name: login-duo version: 1.9.21-1build1 commands: login_duo name: logisim version: 2.7.1~dfsg-1 commands: logisim name: logitech-applet version: 0.4~test1-0ubuntu3 commands: logitech_applet name: logol version: 1.7.7-1build1 commands: LogolExec,LogolMultiExec name: logstalgia version: 1.1.0-2 commands: logstalgia name: logster version: 0.0.1-2 commands: logster name: logtool version: 1.2.8-10 commands: logtool name: logtools version: 0.13e commands: clfdomainsplit,clfmerge,clfsplit,funnel,logprn name: logtop version: 0.4.3-1build2 commands: logtop name: lokalize version: 4:17.12.3-0ubuntu1 commands: lokalize name: loki version: 2.4.7.4-7 commands: hist,loki,loki_count,loki_dist,loki_ext,loki_freq,loki_sort_error,prep,qavg name: lolcat version: 42.0.99-1 commands: lolcat name: lomoco version: 1.0.0-3 commands: lomoco name: londonlaw version: 0.2.1-18 commands: london-client,london-server name: lookup version: 1.08b-11build1 commands: lookup,lookupconfig name: loook version: 0.8.5-1 commands: loook name: looptools version: 2.8-1build1 commands: lt name: loqui version: 0.6.4-3 commands: loqui name: lordsawar version: 0.3.1-4 commands: lordsawar,lordsawar-editor,lordsawar-game-host-client,lordsawar-game-host-server,lordsawar-game-list-client,lordsawar-game-list-server,lordsawar-import name: lostirc version: 0.4.6-4.2 commands: lostirc name: lottanzb version: 0.6-1ubuntu1 commands: lottanzb name: lout version: 3.39-3 commands: lout,prg2lout name: love version: 0.9.1-4ubuntu1 commands: love,love-0.9 name: lpc21isp version: 1.97-3.1 commands: lpc21isp name: lpctools version: 1.07-1 commands: lpc_binary_check,lpcisp,lpcprog name: lpe version: 1.2.8-2 commands: editor,lpe name: lpr version: 1:2008.05.17.2 commands: lpc,lpd,lpf,lpq,lpr,lprm,lptest,pac name: lprng version: 3.8.B-2.1 commands: cancel,checkpc,lp,lpc,lpd,lpq,lpr,lprm,lprng_certs,lprng_index_certs,lpstat name: lptools version: 0.2.0-2ubuntu2 commands: lp-attach,lp-bug-dupe-properties,lp-capture-bug-counts,lp-check-membership,lp-force-branch-mirror,lp-get-branches,lp-grab-attachments,lp-list-bugs,lp-milestone2ical,lp-milestones,lp-project,lp-project-upload,lp-recipe-status,lp-remove-team-members,lp-review-list,lp-review-notifier,lp-set-dup,lp-shell name: lqa version: 20180227.0-1 commands: lqa name: lr version: 1.2-1 commands: lr name: lrcalc version: 1.2-2 commands: lrcalc,schubmult name: lrslib version: 0.62-2 commands: 2nash,lrs,lrs1,lrsnash,redund,redund1,setnash,setnash2 name: lrzip version: 0.631-1 commands: lrunzip,lrz,lrzcat,lrzip,lrztar,lrzuntar name: lrzsz version: 0.12.21-8build1 commands: rb,rx,rz,sb,sx,sz name: lsat version: 0.9.7.1-2.2 commands: lsat name: lsb-invalid-mta version: 9.20170808ubuntu1 commands: sendmail name: lsdvd version: 0.17-1build1 commands: lsdvd name: lsh-client version: 2.1-12 commands: lcp,lsftp,lsh,lshg name: lsh-server version: 2.1-12 commands: lsh-execuv,lsh-krb-checkpw,lsh-pam-checkpw,lshd name: lsh-utils version: 2.1-12 commands: lsh-authorize,lsh-decode-key,lsh-decrypt-key,lsh-export-key,lsh-keygen,lsh-make-seed,lsh-upgrade,lsh-upgrade-key,lsh-writekey,srp-gen,ssh-conv name: lshw-gtk version: 02.18-0.1ubuntu6 commands: lshw-gtk name: lskat version: 4:17.12.3-0ubuntu2 commands: lskat name: lsm version: 1.0.4-1 commands: lsm name: lsmbox version: 2.1.3-1build2 commands: lsmbox name: lswm version: 0.6.00+svn201-4 commands: lswm name: lsyncd version: 2.1.6-1 commands: lsyncd name: ltpanel version: 0.2-5 commands: ltpanel name: ltris version: 1.0.19-3build1 commands: ltris name: ltrsift version: 1.0.2-7 commands: ltrsift,ltrsift_encode name: ltsp-client-core version: 5.5.10-1build1 commands: getltscfg,init-ltsp,jetpipe,ltsp-genmenu,ltsp-localappsd,ltsp-open,ltsp-remoteapps,nbd-client-proxy,nbd-proxy name: ltsp-cluster-accountmanager version: 2.0.4-0ubuntu3 commands: ltsp-cluster-accountmanager name: ltsp-cluster-agent version: 0.8-1ubuntu2 commands: ltsp-agent name: ltsp-cluster-lbagent version: 2.0.2-0ubuntu4 commands: ltsp-cluster-lbagent name: ltsp-cluster-lbserver version: 2.0.0-0ubuntu5 commands: ltsp-cluster-lbserver name: ltsp-cluster-nxloadbalancer version: 2.0.3-0ubuntu1 commands: ltsp-cluster-nxloadbalancer name: ltsp-cluster-pxeconfig version: 2.0.0-0ubuntu3 commands: ltsp-cluster-pxeconfig name: ltsp-server version: 5.5.10-1build1 commands: ltsp-build-client,ltsp-chroot,ltsp-config,ltsp-info,ltsp-localapps,ltsp-update-image,ltsp-update-kernels,ltsp-update-sshkeys,nbdswapd name: ltspfs version: 1.5-1 commands: lbmount,ltspfs,ltspfsmounter name: ltspfsd-core version: 1.5-1 commands: ltspfs_mount,ltspfs_umount,ltspfsd name: lttng-tools version: 2.10.2-1 commands: lttng,lttng-crash,lttng-relayd,lttng-sessiond name: lttoolbox version: 3.3.3~r68466-2 commands: lt-proc,lt-tmxcomp,lt-tmxproc name: lttoolbox-dev version: 3.3.3~r68466-2 commands: lt-comp,lt-expand,lt-print,lt-trim name: lttv version: 1.5-3 commands: lttv,lttv-gui,lttv.real name: lua-any version: 24 commands: lua-any name: lua-busted version: 2.0~rc12-1-2 commands: busted name: lua-check version: 0.21.1-1 commands: luacheck name: lua-ldoc version: 1.4.6-1 commands: ldoc name: lua-wsapi version: 1.6.1-1 commands: wsapi.cgi name: lua-wsapi-fcgi version: 1.6.1-1 commands: wsapi.fcgi name: lua5.1 version: 5.1.5-8.1build2 commands: lua,lua5.1,luac,luac5.1 name: lua5.1-policy-dev version: 33 commands: lua5.1-policy-create-svnbuildpackage-layout name: lua5.2 version: 5.2.4-1.1build1 commands: lua,lua5.2,luac,luac5.2 name: lua5.3 version: 5.3.3-1 commands: lua5.3,luac5.3 name: lua50 version: 5.0.3-8 commands: lua,lua50,luac,luac50 name: luadoc version: 3.0.1+gitdb9e868-1 commands: luadoc name: luakit version: 2012.09.13-r1-8build1 commands: luakit,x-www-browser name: luarocks version: 2.4.2+dfsg-1 commands: luarocks,luarocks-admin name: lubuntu-default-settings version: 0.54 commands: lubuntu-logout,openbox-lubuntu name: luckybackup version: 0.4.9-1 commands: luckybackup name: ludevit version: 8.1 commands: ludevit,ludevit_tk name: lugaru version: 1.2-3 commands: lugaru name: luksipc version: 0.04-2 commands: luksipc name: luksmeta version: 8-3build1 commands: luksmeta name: luminance-hdr version: 2.5.1+dfsg-3 commands: luminance-hdr,luminance-hdr-cli name: lunar version: 2.2-6build1 commands: lunar name: lunzip version: 1.10-1 commands: lunzip,lzip,lzip.lunzip name: luola version: 1.3.2-10build1 commands: luola name: lure-of-the-temptress version: 1.1+ds2-3 commands: lure name: lurker version: 2.3-6 commands: lurker-index,lurker-index-lc,lurker-list,lurker-params,lurker-prune,lurker-regenerate,lurker-search,mailman2lurker name: lusernet.app version: 0.4.2-7build4 commands: LuserNET name: lutefisk version: 1.0.7+dfsg-4build1 commands: lutefisk name: lv version: 4.51-4 commands: lgrep,lv,pager name: lv2-c++-tools version: 1.0.5-4 commands: lv2peg,lv2soname name: lv2file version: 0.83-1build1 commands: lv2file name: lv2proc version: 0.5.0-2build1 commands: lv2proc name: lvm2-dbusd version: 2.02.176-4.1ubuntu3 commands: lvmdbusd name: lvm2-lockd version: 2.02.176-4.1ubuntu3 commands: lvmlockctl,lvmlockd name: lvtk-tools version: 1.2.0~dfsg0-2ubuntu2 commands: ttl2c name: lwatch version: 0.6.2-1build1 commands: lwatch name: lwm version: 1.2.2-6 commands: lwm,x-window-manager name: lx-gdb version: 1.03-16build1 commands: gdbdump,gdbload name: lxappearance version: 0.6.3-1 commands: lxappearance name: lxc-utils version: 3.0.0-0ubuntu2 commands: lxc-attach,lxc-autostart,lxc-cgroup,lxc-checkconfig,lxc-checkpoint,lxc-config,lxc-console,lxc-copy,lxc-create,lxc-destroy,lxc-device,lxc-execute,lxc-freeze,lxc-info,lxc-ls,lxc-monitor,lxc-snapshot,lxc-start,lxc-stop,lxc-top,lxc-unfreeze,lxc-unshare,lxc-update-config,lxc-usernsexec,lxc-wait name: lxctl version: 0.3.1+debian-4 commands: lxctl name: lxd-tools version: 3.0.0-0ubuntu4 commands: fuidshift,lxc-to-lxd,lxd-benchmark name: lxde-settings-daemon version: 0.5.3-2ubuntu1 commands: lxsettings-daemon name: lxdm version: 0.5.3-2.1 commands: lxdm,lxdm-binary,lxdm-config name: lxhotkey-core version: 0.1.0-1build2 commands: lxhotkey name: lxi-tools version: 1.15-1 commands: lxi name: lximage-qt version: 0.6.0-3 commands: lximage-qt name: lxinput version: 0.3.5-1 commands: lxinput name: lxlauncher version: 0.2.5-1 commands: lxlauncher name: lxlock version: 0.5.3-2ubuntu1 commands: lxlock name: lxmms2 version: 0.1.3-2build1 commands: lxmms2 name: lxmusic version: 0.4.7-1 commands: lxmusic name: lxpanel version: 0.9.3-1ubuntu3 commands: lxpanel,lxpanelctl name: lxpolkit version: 0.5.3-2ubuntu1 commands: lxpolkit name: lxqt-about version: 0.12.0-4 commands: lxqt-about name: lxqt-admin version: 0.12.0-4 commands: lxqt-admin-time,lxqt-admin-user,lxqt-admin-user-helper name: lxqt-build-tools version: 0.4.0-5 commands: evil,git-snapshot,git-versions,mangle,symmangle name: lxqt-common version: 0.11.2-2 commands: startlxqt name: lxqt-config version: 0.12.0-3 commands: lxqt-config,lxqt-config-appearance,lxqt-config-brightness,lxqt-config-file-associations,lxqt-config-input,lxqt-config-locale,lxqt-config-monitor name: lxqt-globalkeys version: 0.12.0-3ubuntu1 commands: lxqt-config-globalkeyshortcuts,lxqt-globalkeysd name: lxqt-notificationd version: 0.12.0-3 commands: lxqt-config-notificationd,lxqt-notificationd name: lxqt-openssh-askpass version: 0.12.0-3 commands: lxqt-openssh-askpass,ssh-askpass name: lxqt-panel version: 0.12.0-8ubuntu1 commands: lxqt-panel name: lxqt-policykit version: 0.12.0-3 commands: lxqt-policykit-agent name: lxqt-powermanagement version: 0.12.0-4 commands: lxqt-config-powermanagement,lxqt-powermanagement name: lxqt-runner version: 0.12.0-4ubuntu1 commands: lxqt-runner name: lxqt-session version: 0.12.0-5 commands: lxqt-config-session,lxqt-leave,lxqt-session,startlxqt,x-session-manager name: lxqt-sudo version: 0.12.0-3 commands: lxqt-sudo,lxsu,lxsudo name: lxrandr version: 0.3.1-1 commands: lxrandr name: lxsession version: 0.5.3-2ubuntu1 commands: lxclipboard,lxsession,lxsession-db,lxsession-default,lxsession-default-terminal,lxsession-xdg-autostart,x-session-manager name: lxsession-default-apps version: 0.5.3-2ubuntu1 commands: lxsession-default-apps name: lxsession-edit version: 0.5.3-2ubuntu1 commands: lxsession-edit name: lxsession-logout version: 0.5.3-2ubuntu1 commands: lxsession-logout name: lxshortcut version: 1.2.5-1ubuntu1 commands: lxshortcut name: lxsplit version: 0.2.4-0ubuntu3 commands: lxsplit name: lxtask version: 0.1.8-1 commands: lxtask name: lxterminal version: 0.3.1-2ubuntu2 commands: lxterminal,x-terminal-emulator name: lynis version: 2.6.2-1 commands: lynis name: lynkeos.app version: 1.2-7.1build4 commands: Lynkeos name: lynx version: 2.8.9dev16-3 commands: lynx,www-browser name: lyricue version: 4.0.13.isreally.4.0.12-0ubuntu1 commands: lyricue,lyricue_display,lyricue_remote name: lysdr version: 1.0~git20141206+dfsg1-1build1 commands: lysdr name: lyskom-server version: 2.1.2-14 commands: dbck,komrunning,lyskomd,savecore-lyskom,splitkomdb,updateLysKOM name: lyx version: 2.2.3-5 commands: lyx,lyxclient,tex2lyx name: lzd version: 1.0-5 commands: lzd,lzip,lzip.lzd name: lzip version: 1.20-1 commands: lzip,lzip.lzip name: lziprecover version: 1.20-1 commands: lzip,lzip.lziprecover,lziprecover name: lzma version: 9.22-2ubuntu3 commands: lzcat,lzma,lzmp,unlzma name: lzma-alone version: 9.22-2ubuntu3 commands: lzma_alone name: lzop version: 1.03-4 commands: lzop name: m16c-flash version: 0.1-1.1build1 commands: m16c-flash name: m17n-im-config version: 0.9.0-3ubuntu2 commands: m17n-im-config name: m17n-lib-bin version: 1.7.0-3build1 commands: m17n-conv,m17n-date,m17n-dump,m17n-edit,m17n-view name: m2vrequantiser version: 1.1-3 commands: M2VRequantiser name: mac-robber version: 1.02-5 commands: mac-robber name: macchanger version: 1.7.0-5.3build1 commands: macchanger name: macfanctld version: 0.6+repack1-1build1 commands: macfanctld name: macopix-gtk2 version: 1.7.4-6 commands: macopix name: macs version: 2.1.1.20160309-2 commands: macs2 name: macsyfinder version: 1.0.5-1 commands: macsyfinder name: mactelnet-client version: 0.4.4-4 commands: macping,mactelnet,mndp name: mactelnet-server version: 0.4.4-4 commands: mactelnetd name: macutils version: 2.0b3-16build1 commands: binhex,frommac,hexbin,macsave,macstream,macunpack,tomac name: madbomber version: 0.2.5-7build1 commands: madbomber name: madison-lite version: 0.22 commands: madison-lite name: madplay version: 0.15.2b-8.2 commands: madplay name: madwimax version: 0.1.1-1ubuntu3 commands: madwimax name: mafft version: 7.310-1 commands: mafft,mafft-homologs,mafft-profile name: magic version: 8.0.210-2build1 commands: ext2sim,ext2spice,magic name: magic-wormhole version: 0.10.3-1 commands: wormhole,wormhole-server name: magicfilter version: 1.2-65 commands: magicfilter,magicfilterconfig name: magicmaze version: 1.4.3.6+dfsg-2 commands: magicmaze name: magicor version: 1.1-4build1 commands: magicor,magicor-editor name: magicrescue version: 1.1.9-6 commands: dupemap,magicrescue,magicsort name: magics++ version: 3.0.0-1 commands: magjson,magjsonx,magml,magmlx,mapgen_clip,metgram,metgramx name: magictouch version: 0.1+svn6821+dfsg-0ubuntu2 commands: magictouch name: mago version: 0.3+bzr20-0ubuntu3 commands: mago,magomatic name: mah-jong version: 1.11-2build1 commands: mj-player,mj-server,xmj name: mahimahi version: 0.98-1build1 commands: mm-delay,mm-delay-graph,mm-link,mm-loss,mm-meter,mm-onoff,mm-replayserver,mm-throughput-graph,mm-webrecord,mm-webreplay name: mail-expire version: 0.8 commands: mail-expire name: mail-notification version: 5.4.dfsg.1-14ubuntu2 commands: mail-notification name: mailagent version: 1:3.1-81-4build1 commands: edusers,mailagent,maildist,mailhelp,maillist,mailpatch,package name: mailavenger version: 0.8.4-4.1 commands: aliascheck,asmtpd,avenger.deliver,dbutil,dotlock,edinplace,escape,macutil,mailexec,match,sendmac,smtpdcheck,synos name: mailcheck version: 1.91.2-2build1 commands: mailcheck name: maildir-filter version: 1.20-5 commands: maildir-filter name: maildir-utils version: 0.9.18-2build3 commands: mu name: maildirsync version: 1.2-2.2 commands: maildirsync name: maildrop version: 2.9.3-1build1 commands: deliverquota,deliverquota.maildrop,lockmail,lockmail.maildrop,mailbot,maildirmake,maildirmake.maildrop,maildrop,makedat,makedat.maildrop,makedatprog,makemime,reformail,reformime name: mailfilter version: 0.8.6-3 commands: mailfilter name: mailfront version: 2.12-0.1 commands: imapfront-auth,mailfront,pop3front-auth,pop3front-maildir,qmqpfront-echo,qmqpfront-qmail,qmtpfront-echo,qmtpfront-qmail,smtpfront-echo,smtpfront-qmail name: mailgraph version: 1.14-15 commands: mailgraph name: mailman-api version: 0.2.9-2 commands: mailman-api name: mailman3 version: 3.1.1-9 commands: mailman name: mailnag version: 1.2.1-1.1 commands: mailnag,mailnag-config name: mailping version: 0.0.4ubuntu5+really0.0.4-3ubuntu1 commands: mailping-cron,mailping-store name: mailplate version: 0.2-1 commands: mailplate name: mailsync version: 5.2.2-3.1build1 commands: mailsync name: mailtextbody version: 0.1.3-2build2 commands: mailtextbody name: mailutils version: 1:3.4-1 commands: dotlock,dotlock.mailutils,frm,frm.mailutils,from,from.mailutils,maidag,mail,mail.mailutils,mailutils,mailx,messages,messages.mailutils,mimeview,movemail,movemail.mailutils,readmsg,readmsg.mailutils,sieve name: mailutils-comsatd version: 1:3.4-1 commands: comsatd name: mailutils-guile version: 1:3.4-1 commands: guimb name: mailutils-imap4d version: 1:3.4-1 commands: imap4d name: mailutils-mh version: 1:3.4-1 commands: ,ali,anno,burst,comp,fmtcheck,folder,folders,forw,inc,install-mh,mark,mhl,mhn,mhparam,mhpath,mhseq,msgchk,next,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,show,sortm,whatnow,whom name: mailutils-pop3d version: 1:3.4-1 commands: pop3d,popauth name: maim version: 5.4.68-1.1 commands: maim name: mairix version: 0.24-1 commands: mairix name: maitreya version: 7.0.7-1 commands: maitreya7,maitreya7.bin,maitreya_textclient name: make-guile version: 4.1-9.1ubuntu1 commands: make,make-first-existing-target name: makebootfat version: 1.4-5.1 commands: makebootfat name: makedepf90 version: 2.8.9-1 commands: makedepf90 name: makedev version: 2.3.1-93ubuntu2 commands: MAKEDEV name: makedic version: 6.5deb2-11build1 commands: makedic,makeedict name: makefs version: 20100306-6 commands: makefs name: makehrtf version: 1:1.18.2-2 commands: makehrtf name: makehuman version: 1.1.1-1 commands: makehuman name: makejail version: 0.0.5-10 commands: makejail name: makepasswd version: 1.10-11 commands: makepasswd name: makepatch version: 2.03-1.1 commands: applypatch,makepatch name: makepp version: 2.0.98.5-2 commands: makepp,makepp_build_cache_control,makeppbuiltin,makeppclean,makeppgraph,makeppinfo,makepplog,makeppreplay,mpp,mppb,mppbcc,mppc,mppg,mppi,mppl,mppr name: makeself version: 2.2.0+git20161230-1 commands: makeself name: makexvpics version: 1.0.1-3 commands: makexvpics,ppmtoxvmini name: maki version: 1.4.0+git20160822+dfsg-4 commands: maki,maki-remote name: malaga-bin version: 7.12-7build1 commands: malaga,mallex,malmake,malrul,malshow,malsym name: maliit-framework version: 0.99.1+git20151118+62bd54b-0ubuntu18 commands: maliit-server name: mame version: 0.195+dfsg.1-2 commands: mame name: mame-tools version: 0.195+dfsg.1-2 commands: castool,chdman,floptool,imgtool,jedutil,ldresample,ldverify,romcmp name: man2html version: 1.6g-11 commands: hman name: man2html-base version: 1.6g-11 commands: man2html name: manaplus version: 1.8.2.17-1 commands: manaplus name: mancala version: 1.0.3-1build1 commands: mancala,mancala-text,xmancala name: mandelbulber version: 1:1.21.1-1.1build2 commands: mandelbulber name: mandelbulber2 version: 2.08.3-1build1 commands: mandelbulber2 name: manderlbot version: 0.9.2-19 commands: manderlbot name: mandoc version: 1.14.3-3 commands: demandoc,makewhatis,mandoc,mandocd,mapropos,mcatman,mman,msoelim,mwhatis name: mandos version: 1.7.19-1 commands: mandos,mandos-ctl,mandos-monitor name: mandos-client version: 1.7.19-1 commands: mandos-keygen name: mangler version: 1.2.5-4 commands: mangler name: manila-api version: 1:6.0.0-0ubuntu1 commands: manila-api name: manila-common version: 1:6.0.0-0ubuntu1 commands: manila-all,manila-manage,manila-rootwrap,manila-share,manila-wsgi name: manila-data version: 1:6.0.0-0ubuntu1 commands: manila-data name: manila-scheduler version: 1:6.0.0-0ubuntu1 commands: manila-scheduler name: mapcache-tools version: 1.6.1-1 commands: mapcache_seed name: mapcode version: 2.5.5-1 commands: mapcode name: mapdamage version: 2.0.8+dfsg-1 commands: mapDamage name: mapivi version: 0.9.7-1.1 commands: mapivi name: mapnik-utils version: 3.0.19+ds-1 commands: mapnik-index,mapnik-render,shapeindex name: mapproxy version: 1.11.0-1 commands: mapproxy-seed,mapproxy-util name: mapsembler2 version: 2.2.4+dfsg-1 commands: mapsembler2_extremities,mapsembler2_kissreads,mapsembler2_kissreads_graph,mapsembler_extend,run_mapsembler2_pipeline name: mapserver-bin version: 7.0.7-1build2 commands: legend,mapserv,msencrypt,scalebar,shp2img,shptree,shptreetst,shptreevis,sortshp,tile4ms name: maptool version: 0.5.0+dfsg.1-2build1 commands: maptool name: maptransfer version: 0.3-2 commands: maptransfer name: maptransfer-server version: 0.3-2 commands: maptransfer-server name: maq version: 0.7.1-7 commands: farm-run.pl,maq,maq.pl,maq_eval.pl,maq_plot.pl name: maqview version: 0.2.5-8 commands: maqindex,maqindex_socks,maqview,zrio name: maradns version: 2.0.13-1.2 commands: askmara,bind2csv2,fetchzone,getzone,maradns name: maradns-deadwood version: 2.0.13-1.2 commands: deadwood name: maradns-zoneserver version: 2.0.13-1.2 commands: askmara-tcp,zoneserver name: marble version: 4:17.12.3-0ubuntu1 commands: marble name: marble-maps version: 4:17.12.3-0ubuntu1 commands: marble-behaim,marble-maps name: marble-qt version: 4:17.12.3-0ubuntu1 commands: marble-qt name: marco version: 1.20.1-2ubuntu1 commands: marco,marco-message,marco-theme-viewer,marco-window-demo,x-window-manager name: maria version: 1.3.5-4.1 commands: maria,maria-cso,maria-vis name: mariadb-client-10.1 version: 1:10.1.29-6 commands: innotop,mariabackup,mbstream,mysql_find_rows,mysql_fix_extensions,mysql_waitpid,mysqlaccess,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlrepair,mysqlreport,mysqlshow,mysqlslap,mytop name: mariadb-client-core-10.1 version: 1:10.1.29-6 commands: mariadb,mariadbcheck,mysql,mysql_embedded,mysqlcheck name: mariadb-server-10.1 version: 1:10.1.29-6 commands: aria_chk,aria_dump_log,aria_ftdump,aria_pack,aria_read_log,galera_new_cluster,galera_recovery,mariadb-service-convert,msql2mysql,my_print_defaults,myisam_ftdump,myisamchk,myisamlog,myisampack,mysql_convert_table_format,mysql_plugin,mysql_secure_installation,mysql_setpermission,mysql_tzinfo_to_sql,mysql_zap,mysqlbinlog,mysqld_multi,mysqld_safe,mysqld_safe_helper,mysqlhotcopy,perror,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mariabackup,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup,wsrep_sst_xtrabackup-v2 name: mariadb-server-core-10.1 version: 1:10.1.29-6 commands: innochecksum,mysql_install_db,mysql_upgrade,mysqld name: marisa version: 0.2.4-8build12 commands: marisa-benchmark,marisa-build,marisa-common-prefix-search,marisa-dump,marisa-lookup,marisa-predictive-search,marisa-reverse-lookup name: markdown version: 1.0.1-10 commands: markdown name: marsshooter version: 0.7.6-2 commands: marsshooter name: mash version: 2.0-2 commands: mash name: maskprocessor version: 0.73-2 commands: mp32,mp64 name: mason version: 1.0.0-12.3 commands: mason,mason-gui-text name: masqmail version: 0.3.4-1build1 commands: mailq,mailrm,masqmail,mservdetect,newaliases,rmail,sendmail name: masscan version: 2:1.0.3-104-g676635d~ds0-1 commands: masscan name: massif-visualizer version: 0.7.0-1 commands: massif-visualizer name: mat version: 0.6.1-4 commands: mat,mat-gui name: matanza version: 0.13+ds1-6 commands: matanza,matanza-ai name: matchbox-common version: 0.9.1-6 commands: matchbox-session name: matchbox-desktop version: 2.0-5 commands: matchbox-desktop name: matchbox-keyboard version: 0.1+svn20080916-11 commands: matchbox-keyboard name: matchbox-panel version: 0.9.3-9 commands: matchbox-panel,mb-applet-battery,mb-applet-clock,mb-applet-launcher,mb-applet-menu-launcher,mb-applet-system-monitor,mb-applet-wireless name: matchbox-panel-manager version: 0.1-7 commands: matchbox-panel-manager name: matchbox-window-manager version: 1.2-osso21-2 commands: matchbox-remote,matchbox-window-manager,x-window-manager name: mate-applets version: 1.20.1-3 commands: mate-cpufreq-selector name: mate-calc version: 1.20.1-1 commands: mate-calc,mate-calc-cmd,mate-calculator name: mate-common version: 1.20.0-1 commands: mate-autogen,mate-doc-common name: mate-control-center version: 1.20.2-2ubuntu1 commands: mate-about-me,mate-appearance-properties,mate-at-properties,mate-control-center,mate-default-applications-properties,mate-display-properties,mate-display-properties-install-systemwide,mate-font-viewer,mate-keybinding-properties,mate-keyboard-properties,mate-mouse-properties,mate-network-properties,mate-thumbnail-font,mate-typing-monitor,mate-window-properties name: mate-desktop version: 1.20.1-2ubuntu1 commands: mate-about,mate-color-select name: mate-media version: 1.20.0-1 commands: mate-volume-control,mate-volume-control-applet name: mate-menu version: 18.04.3-2ubuntu1 commands: mate-menu name: mate-netbook version: 1.20.0-1 commands: mate-maximus name: mate-notification-daemon version: 1.20.0-2 commands: mate-notification-properties name: mate-panel version: 1.20.1-3ubuntu1 commands: mate-desktop-item-edit,mate-panel,mate-panel-test-applets name: mate-polkit-bin version: 1.20.0-1 commands: mate-polkit name: mate-power-manager version: 1.20.1-2ubuntu1 commands: mate-power-backlight-helper,mate-power-manager,mate-power-preferences,mate-power-statistics name: mate-screensaver version: 1.20.0-1 commands: mate-screensaver,mate-screensaver-command,mate-screensaver-preferences name: mate-session-manager version: 1.20.0-1 commands: mate-session,mate-session-inhibit,mate-session-properties,mate-session-save,mate-wm,x-session-manager name: mate-settings-daemon version: 1.20.1-3 commands: mate-settings-daemon,msd-datetime-mechanism,msd-locate-pointer name: mate-system-monitor version: 1.20.0-1 commands: mate-system-monitor name: mate-terminal version: 1.20.0-4 commands: mate-terminal,mate-terminal.wrapper,x-terminal-emulator name: mate-tweak version: 18.04.16-1 commands: marco-compton,marco-no-composite,mate-tweak name: mate-user-share version: 1.20.0-1 commands: mate-file-share-properties name: mate-utils version: 1.20.0-0ubuntu1 commands: mate-dictionary,mate-disk-usage-analyzer,mate-panel-screenshot,mate-screenshot,mate-search-tool,mate-system-log name: mathgl version: 2.4.1-2build2 commands: mgl.cgi,mglconv,mgllab,mglview name: mathicgb version: 1.0~git20170606-1 commands: mgb name: mathomatic version: 16.0.4-1build1 commands: matho,mathomatic,rmath name: mathomatic-primes version: 16.0.4-1build1 commands: matho-mult,matho-pascal,matho-primes,matho-sum,matho-sumsq,primorial name: mathtex version: 1.03-1build1 commands: mathtex name: matrix-synapse version: 0.24.0+dfsg-1 commands: hash_password,register_new_matrix_user,synapse_port_db,synctl name: maude version: 2.7-2 commands: maude name: mauve-aligner version: 2.4.0+4734-3 commands: mauve name: maven version: 3.5.2-2 commands: mvn,mvnDebug name: maven-debian-helper version: 2.3~exp1 commands: mh_genrules,mh_lspoms,mh_make,mh_resolve_dependencies name: maven-repo-helper version: 1.9.2 commands: mh_checkrepo,mh_clean,mh_cleanpom,mh_install,mh_installjar,mh_installpom,mh_installpoms,mh_installsite,mh_linkjar,mh_linkjars,mh_linkrepojar,mh_patchpom,mh_patchpoms,mh_unpatchpoms name: maxima version: 5.41.0-3 commands: maxima name: maxima-sage version: 5.39.0+ds-3 commands: maxima-sage name: maximus version: 0.4.14-4 commands: maximus name: mayavi2 version: 4.5.0-1 commands: mayavi2,tvtk_doc name: maybe version: 0.4.0-1 commands: maybe name: mazeofgalious version: 0.62.dfsg2-4build1 commands: mog name: mb2md version: 3.20-8 commands: mb2md name: mblaze version: 0.3.2-1 commands: maddr,magrep,mbnc,mcolor,mcom,mdate,mdeliver,mdirs,mexport,mflag,mflow,mfwd,mgenmid,mhdr,minc,mless,mlist,mmime,mmkdir,mnext,mpick,mprev,mquote,mrep,mscan,msed,mseq,mshow,msort,mthread,museragent name: mboxgrep version: 0.7.9-3build1 commands: mboxgrep name: mbpfan version: 2.0.2-1 commands: mbpfan name: mbr version: 1.1.11-5.1 commands: install-mbr name: mbt version: 3.2.16-1 commands: mbt,mbtg name: mbtserver version: 0.11-1 commands: mbtserver name: mbuffer version: 20171011-1ubuntu1 commands: mbuffer name: mbw version: 1.2.2-1build1 commands: mbw name: mc version: 3:4.8.19-1 commands: editor,mc,mcdiff,mcedit,mcview,view name: mcabber version: 1.1.0-1 commands: mcabber name: mccs version: 1:1.1-6build1 commands: mccs name: mcl version: 1:14-137+ds-1 commands: clm,clmformat,clxdo,mcl,mclblastline,mclcm,mclpipeline,mcx,mcxarray,mcxassemble,mcxdeblast,mcxdump,mcxi,mcxload,mcxmap,mcxrand,mcxsubs name: mcollective version: 2.6.0+dfsg-2.1 commands: mcollectived name: mcollective-client version: 2.6.0+dfsg-2.1 commands: mco name: mcollective-plugins-nrpe version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check-mc-nrpe name: mcollective-plugins-registration-monitor version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: check_mcollective.rb name: mcollective-plugins-stomputil version: 0.0.0~git20120507.df2fa81-0ubuntu2 commands: mc-collectivemap,mc-peermap name: mcollective-server-provisioner version: 0.0.1~git20110120-0ubuntu5 commands: mcprovision name: mcpp version: 2.7.2-4build1 commands: mcpp name: mcrl2 version: 201409.0-1ubuntu3 commands: besinfo,bespp,diagraphica,lps2lts,lps2pbes,lps2torx,lpsactionrename,lpsbinary,lpsconfcheck,lpsconstelm,lpsinfo,lpsinvelm,lpsparelm,lpsparunfold,lpspp,lpsrewr,lpssim,lpssumelm,lpssuminst,lpsuntime,lpsxsim,lts2lps,lts2pbes,ltscompare,ltsconvert,ltsgraph,ltsinfo,ltsview,mcrl2-gui,mcrl22lps,mcrl2compilerewriter,mcrl2i,mcrl2xi,pbes2bes,pbes2bool,pbesconstelm,pbesinfo,pbesparelm,pbespgsolve,pbespp,pbesrewr,tracepp,txt2lps,txt2pbes name: mcron version: 1.0.8-1build1 commands: mcron name: mcrypt version: 2.6.8-1.3ubuntu2 commands: crypt,mcrypt,mdecrypt name: mcstrans version: 2.7-1 commands: mcstransd name: mcu8051ide version: 1.4.7-2 commands: mcu8051ide name: mdbtools version: 0.7.1-6 commands: mdb-array,mdb-export,mdb-header,mdb-hexdump,mdb-parsecsv,mdb-prop,mdb-schema,mdb-sql,mdb-tables,mdb-ver name: mdbus2 version: 2.3.3-2 commands: mdbus2 name: mdetect version: 0.5.2.4 commands: mdetect name: mdf2iso version: 0.3.1-1build1 commands: mdf2iso name: mdfinder.app version: 0.9.4-1build1 commands: MDFinder,gmds,mdextractor,mdfind name: mdk version: 1.2.9+dfsg-5 commands: gmixvm,mixasm,mixguile,mixvm name: mdk3 version: 6.0-4 commands: mdk3 name: mdm version: 0.1.3-2.1build2 commands: mdm-run,mdm-sync,mdm.screen,ncpus name: mdns-scan version: 0.5-2 commands: mdns-scan name: mdp version: 1.0.12-1 commands: mdp name: mecab version: 0.996-5 commands: mecab name: med-bio version: 3.0.1ubuntu1 commands: med-bio name: med-bio-dev version: 3.0.1ubuntu1 commands: med-bio-dev name: med-cloud version: 3.0.1ubuntu1 commands: med-cloud name: med-config version: 3.0.1ubuntu1 commands: med-config name: med-data version: 3.0.1ubuntu1 commands: med-data name: med-dental version: 3.0.1ubuntu1 commands: med-dental name: med-epi version: 3.0.1ubuntu1 commands: med-epi name: med-his version: 3.0.1ubuntu1 commands: med-his name: med-imaging version: 3.0.1ubuntu1 commands: med-imaging name: med-imaging-dev version: 3.0.1ubuntu1 commands: med-imaging-dev name: med-laboratory version: 3.0.1ubuntu1 commands: med-laboratory name: med-oncology version: 3.0.1ubuntu1 commands: med-oncology name: med-pharmacy version: 3.0.1ubuntu1 commands: med-pharmacy name: med-physics version: 3.0.1ubuntu1 commands: med-physics name: med-practice version: 3.0.1ubuntu1 commands: med-practice name: med-psychology version: 3.0.1ubuntu1 commands: med-psychology name: med-rehabilitation version: 3.0.1ubuntu1 commands: med-rehabilitation name: med-statistics version: 3.0.1ubuntu1 commands: med-statistics name: med-tools version: 3.0.1ubuntu1 commands: med-tools name: med-typesetting version: 3.0.1ubuntu1 commands: med-typesetting name: medcon version: 0.14.1-2 commands: medcon name: mediaconch version: 17.12-1 commands: mediaconch name: mediaconch-gui version: 17.12-1 commands: mediaconch-gui name: mediainfo version: 17.12-1 commands: mediainfo name: mediainfo-gui version: 17.12-1 commands: mediainfo-gui name: mediathekview version: 13.0.6-1 commands: mediathekview name: mediawiki2latex version: 7.29-1 commands: mediawiki2latex name: mediawiki2latexguipyqt version: 1.5-1 commands: mediawiki2latex-pyqt name: medit version: 1.2.0-3 commands: medit name: mednafen version: 0.9.48+dfsg-1 commands: mednafen,nes name: mednaffe version: 0.8.6-1 commands: mednaffe name: medusa version: 2.2-5 commands: medusa name: meep version: 1.3-4build2 commands: meep name: meep-lam4 version: 1.3-2build2 commands: meep-lam4 name: meep-mpi-default version: 1.3-3build5 commands: meep-mpi-default name: meep-mpich2 version: 1.3-4build3 commands: meep-mpich2 name: meep-openmpi version: 1.3-3build4 commands: meep-openmpi name: megaglest version: 3.13.0-2 commands: megaglest,megaglest_editor,megaglest_g3dviewer name: megatools version: 1.9.98-1build2 commands: megacopy,megadf,megadl,megaget,megals,megamkdir,megaput,megareg,megarm name: meld version: 3.18.0-6 commands: meld name: melt version: 6.6.0-1build1 commands: melt name: melting version: 4.3.1+dfsg-3 commands: melting name: melting-gui version: 4.3.1+dfsg-3 commands: tkmelting name: members version: 20080128-5+nmu1 commands: members name: memcachedb version: 1.2.0-12build1 commands: memcachedb name: memdump version: 1.01-7build1 commands: memdump name: memlockd version: 1.2 commands: memlockd name: memstat version: 1.1 commands: memstat name: memtester version: 4.3.0-4 commands: memtester name: memtool version: 2016.10.0-1 commands: memtool name: mencal version: 3.0-3 commands: mencal name: mencoder version: 2:1.3.0-7build2 commands: mencoder name: menhir version: 20171222-1 commands: menhir name: menu version: 2.1.47ubuntu2 commands: install-menu,su-to-root,update-menus name: menulibre version: 2.2.0-1 commands: menulibre,menulibre-menu-validate name: mercurial version: 4.5.3-1ubuntu2 commands: hg name: mercurial-buildpackage version: 0.10.1+nmu1 commands: mercurial-buildpackage,mercurial-importdsc,mercurial-importorig,mercurial-port,mercurial-pristinetar,mercurial-tagversion name: mercurial-common version: 4.5.3-1ubuntu2 commands: hg-ssh name: mergelog version: 4.5.1-9ubuntu2 commands: mergelog,zmergelog name: mergerfs version: 2.21.0-1 commands: mergerfs,mount.mergerfs name: meritous version: 1.4-1build1 commands: meritous name: merkaartor version: 0.18.3+ds-3 commands: merkaartor name: merkleeyes version: 0.0~git20170130.0.549dd01-1 commands: merkleeyes name: meryl version: 0~20150903+r2013-3 commands: existDB,kmer-mask,mapMers,mapMers-depth,meryl,positionDB,simple name: mesa-utils version: 8.4.0-1 commands: glxdemo,glxgears,glxheads,glxinfo name: mesa-utils-extra version: 8.4.0-1 commands: eglinfo,es2_info,es2gears,es2gears_wayland,es2gears_x11,es2tri name: meshio-tools version: 1.11.7-1 commands: meshio-convert name: meshlab version: 1.3.2+dfsg1-4 commands: meshlab,meshlabserver name: meshs3d version: 0.2.2-14build1 commands: meshs3d name: meson version: 0.45.1-2 commands: meson,mesonconf,mesonintrospect,mesontest,wraptool name: metacam version: 1.2-9 commands: metacam name: metacity version: 1:3.28.0-1 commands: metacity,metacity-message,metacity-theme-viewer,metacity-window-demo,x-window-manager name: metainit version: 0.0.5 commands: update-metainit name: metamonger version: 0.20150503-1.1 commands: metamonger name: metaphlan2 version: 2.7.5-1 commands: metaphlan2,strainphlan name: metaphlan2-data version: 2.6.0+ds-3 commands: metaphlan2-data-convert name: metapixel version: 1.0.2-7.4build1 commands: metapixel,metapixel-imagesize,metapixel-prepare,metapixel-sizesort name: metar version: 20061030.1-2.2 commands: metar name: metastore version: 1.1.2-2 commands: metastore name: metastudent version: 2.0.1-5 commands: metastudent name: metche version: 1:1.2.4-1 commands: metche name: meterbridge version: 0.9.2-13 commands: meterbridge name: meterec version: 0.9.2~ds0-2build1 commands: meterec,meterec-init-conf name: metis version: 5.1.0.dfsg-5 commands: cmpfillin,gpmetis,graphchk,m2gmetis,mpmetis,ndmetis name: metview version: 5.0.0~beta.1-1build1 commands: metview name: mew-beta-bin version: 7.0.50~6.7+0.20170719-1 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mew-bin version: 1:6.7-4 commands: cmew,incm,mew-pinentry,mewcat,mewdecode,mewencode,mewest,mewl,mewstunnel,pinentry,smew name: mftrace version: 1.2.19-1 commands: gf2pbm,mftrace name: mg version: 20171014-1 commands: editor,mg name: mgba-qt version: 0.5.2+dfsg1-3 commands: mgba-qt name: mgba-sdl version: 0.5.2+dfsg1-3 commands: mgba name: mgdiff version: 1.0-30build1 commands: cvsmgdiff,mgdiff,rmgdiff name: mgen version: 5.02.b+dfsg1-2 commands: mgen name: mgetty version: 1.1.36-3.1 commands: callback,mgetty name: mgetty-fax version: 1.1.36-3.1 commands: faxq,faxrm,faxrunq,faxrunqd,faxspool,g32pbm,g3cat,g3tolj,g3toxwd,newslock,pbm2g3,sendfax,sff2g3 name: mgetty-pvftools version: 1.1.36-3.1 commands: autopvf,basictopvf,lintopvf,pvfamp,pvfcut,pvfecho,pvffft,pvffile,pvffilter,pvfmix,pvfnoise,pvfreverse,pvfsine,pvfspeed,pvftoau,pvftobasic,pvftolin,pvftormd,pvftovoc,pvftowav,rmdfile,rmdtopvf,voctopvf,wavtopvf name: mgetty-viewfax version: 1.1.36-3.1 commands: viewfax name: mgetty-voice version: 1.1.36-3.1 commands: vgetty,vm name: mgp version: 1.13a+upstream20090219-8 commands: eqn2eps,mgp,mgp2html,mgp2latex,mgp2ps,mgpembed,mgpnet,tex2eps,xwintoppm name: mgt version: 2.31-7 commands: mailgo,mgt,mgt2short,wrapmgt name: mha4mysql-manager version: 0.55-1 commands: masterha_check_repl,masterha_check_ssh,masterha_check_status,masterha_conf_host,masterha_manager,masterha_master_monitor,masterha_master_switch,masterha_secondary_check,masterha_stop name: mha4mysql-node version: 0.54-1 commands: apply_diff_relay_logs,filter_mysqlbinlog,purge_relay_logs,save_binary_logs name: mhap version: 2.1.1+dfsg-1 commands: mhap name: mhc-utils version: 1.1.1+0.20171016-1 commands: mhc name: mhddfs version: 0.1.39+nmu1ubuntu2 commands: mhddfs name: mhonarc version: 2.6.19-2 commands: mha-dbedit,mha-dbrecover,mha-decode,mhonarc name: mhwaveedit version: 1.4.23-2 commands: mhwaveedit name: mi2svg version: 0.1.6-0ubuntu2 commands: mi2svg name: mia-tools version: 2.4.6-1 commands: mia-2davgmasked,mia-2dbinarycombine,mia-2dcost,mia-2ddeform,mia-2ddistance,mia-2deval-transformquantity,mia-2dfluid,mia-2dfluid-syn-registration,mia-2dforce,mia-2dfuzzysegment,mia-2dgrayimage-combine-to-rgb,mia-2dgroundtruthreg,mia-2dimagecombine-dice,mia-2dimagecombiner,mia-2dimagecreator,mia-2dimagefilter,mia-2dimagefilterstack,mia-2dimagefullstats,mia-2dimageregistration,mia-2dimageselect,mia-2dimageseries-maximum-intensity-projection,mia-2dimagestack-cmeans,mia-2dimagestats,mia-2dlerp,mia-2dmany2one-nonrigid,mia-2dmulti-force,mia-2dmultiimageregistration,mia-2dmultiimageto3d,mia-2dmultiimagevar,mia-2dmyocard-ica,mia-2dmyocard-icaseries,mia-2dmyocard-segment,mia-2dmyoica-full,mia-2dmyoica-nonrigid,mia-2dmyoica-nonrigid-parallel,mia-2dmyoica-nonrigid2,mia-2dmyoicapgt,mia-2dmyomilles,mia-2dmyoperiodic-nonrigid,mia-2dmyopgt-nonrigid,mia-2dmyoserial-nonrigid,mia-2dmyoseries-compdice,mia-2dmyoseries-dice,mia-2dmyoset-all2one-nonrigid,mia-2dsegcompare,mia-2dseghausdorff,mia-2dsegment-ahmed,mia-2dsegment-fuzzyw,mia-2dsegment-local-cmeans,mia-2dsegment-local-kmeans,mia-2dsegment-per-pixel-kmeans,mia-2dsegmentcropbox,mia-2dsegseriesstats,mia-2dsegshift,mia-2dsegshiftperslice,mia-2dseries-mincorr,mia-2dseries-sectionmask,mia-2dseries-segdistance,mia-2dseries2dordermedian,mia-2dseries2sets,mia-2dseriescorr,mia-2dseriesgradMAD,mia-2dseriesgradvariation,mia-2dserieshausdorff,mia-2dseriessmoothgradMAD,mia-2dseriestovolume,mia-2dstack-cmeans-presegment,mia-2dstackfilter,mia-2dto3dimage,mia-2dto3dimageb,mia-2dtrackpixelmovement,mia-2dtransform,mia-2dtransformation-to-strain,mia-3dbinarycombine,mia-3dbrainextractT1,mia-3dcombine-imageseries,mia-3dcombine-mr-segmentations,mia-3dcost,mia-3dcost-translatedgrad,mia-3dcrispsegment,mia-3ddeform,mia-3ddistance,mia-3ddistance-stats,mia-3deval-transformquantity,mia-3dfield2norm,mia-3dfluid,mia-3dfluid-syn-registration,mia-3dforce,mia-3dfuzzysegment,mia-3dgetsize,mia-3dgetslice,mia-3dimageaddattributes,mia-3dimagecombine,mia-3dimagecreator,mia-3dimagefilter,mia-3dimagefilterstack,mia-3dimageselect,mia-3dimagestatistics-in-mask,mia-3dimagestats,mia-3disosurface-from-stack,mia-3disosurface-from-volume,mia-3dlandmarks-distances,mia-3dlandmarks-transform,mia-3dlerp,mia-3dmany2one-nonrigid,mia-3dmaskseeded,mia-3dmotioncompica-nonrigid,mia-3dnonrigidreg,mia-3dnonrigidreg-alt,mia-3dprealign-nonrigid,mia-3dpropose-boundingbox,mia-3drigidreg,mia-3dsegment-ahmed,mia-3dsegment-local-cmeans,mia-3dserial-nonrigid,mia-3dseries-track-intensity,mia-3dtrackpixelmovement,mia-3dtransform,mia-3dtransform2vf,mia-3dvectorfieldcreate,mia-3dvf2transform,mia-3dvfcompare,mia-cmeans,mia-filenumberpattern,mia-labelsort,mia-mesh-deformable-model,mia-mesh-to-maskimage,mia-meshdistance-to-stackmask,mia-meshfilter,mia-multihist,mia-myowavelettest,mia-plugin-help,mia-raw2image,mia-raw2volume,mia-wavelettrans name: mia-viewit version: 1.0.5-1 commands: mia-viewitgui name: mialmpick version: 0.2.14-1 commands: mia-lmpick name: miceamaze version: 4.2.1-3 commands: miceamaze name: micro-httpd version: 20051212-15.1 commands: micro-httpd name: microbegps version: 1.0.0-2 commands: MicrobeGPS name: microbiomeutil version: 20101212+dfsg1-1build1 commands: ChimeraSlayer,NAST-iEr,WigeoN name: microcom version: 2016.01.0-1build2 commands: microcom name: microdc2 version: 0.15.6-4build1 commands: microdc2 name: microhope version: 4.3.6+dfsg-6 commands: create-microhope-env,microhope,microhope-doc,uhope name: micropolis version: 0.0.20071228-9build1 commands: micropolis name: midge version: 0.2.41-2.1 commands: midge,midi2mg name: midicsv version: 1.1+dfsg.1-1build1 commands: csvmidi,midicsv name: mididings version: 0~20120419~ds0-6 commands: livedings,mididings name: midish version: 1.0.4-1.1build1 commands: midish,rmidish,smfplay,smfrec name: midisnoop version: 0.1.2~repack0-7build1 commands: midisnoop name: mighttpd2 version: 3.4.1-2 commands: mighty,mighty-mkindex,mightyctl name: mikmod version: 3.2.8-1 commands: mikmod name: mikutter version: 3.6.4+dfsg-1 commands: mikutter name: milkytracker version: 1.02.00+dfsg-1 commands: milkytracker name: miller version: 5.3.0-1 commands: mlr name: milter-greylist version: 4.5.11-1.1build2 commands: milter-greylist name: mimedefang version: 2.83-1 commands: md-mx-ctrl,mimedefang,mimedefang-multiplexor,mimedefang-util,mimedefang.pl,watch-mimedefang,watch-multiple-mimedefangs.tcl name: mimefilter version: 1.7+nmu2 commands: mimefilter name: mimetex version: 1.76-1 commands: mimetex name: mimms version: 3.2.2-1.1 commands: mimms name: mina version: 0.3.7-1 commands: mina name: minbif version: 1:1.0.5+git20150505-3 commands: minbif name: minc-tools version: 2.3.00+dfsg-2 commands: dcm2mnc,ecattominc,invert_raw_image,minc_modify_header,mincaverage,mincblob,minccalc,minccmp,mincconcat,mincconvert,minccopy,mincdiff,mincdump,mincedit,mincexpand,mincextract,mincgen,mincheader,minchistory,mincinfo,minclookup,mincmakescalar,mincmakevector,mincmath,mincmorph,mincpik,mincresample,mincreshape,mincsample,mincstats,minctoecat,minctoraw,mincview,mincwindow,mnc2nii,nii2mnc,rawtominc,transformtags,upet2mnc,voxeltoworld,worldtovoxel,xfmconcat,xfminvert name: minetest version: 0.4.16+repack-4 commands: minetest name: minetest-data version: 0.4.16+repack-4 commands: minetest-mapper name: minetest-server version: 0.4.16+repack-4 commands: minetestserver name: mingetty version: 1.08-2build1 commands: mingetty name: mingw-w64-tools version: 5.0.3-1 commands: gendef,genidl,genpeimg,i686-w64-mingw32-pkg-config,i686-w64-mingw32-widl,mingw-genlib,x86_64-w64-mingw32-pkg-config,x86_64-w64-mingw32-widl name: mini-buildd version: 1.0.33 commands: mbd-debootstrap-uname-2.6,mini-buildd name: mini-dinstall version: 0.6.31ubuntu1 commands: mini-dinstall name: mini-httpd version: 1.23-1.2build1 commands: mini_httpd name: minia version: 1.6906-2 commands: minia name: miniasm version: 0.2+dfsg-2 commands: miniasm name: minica version: 1.0-1build1 commands: minica name: minicom version: 2.7.1-1 commands: ascii-xfr,minicom,runscript,xminicom name: minicoredumper version: 2.0.0-3 commands: minicoredumper,minicoredumper_regd name: minicoredumper-utils version: 2.0.0-3 commands: coreinject,minicoredumper_trigger name: minidisc-utils version: 0.9.15-1 commands: himdcli,netmdcli name: minidjvu version: 0.8.svn.2010.05.06+dfsg-5build1 commands: minidjvu name: minidlna version: 1.2.1+dfsg-1 commands: minidlnad name: minify version: 2.1.0+git20170802.25.b6ab3cd-1 commands: minify name: minilzip version: 1.10-1 commands: lzip,lzip.minilzip,minilzip name: minimap version: 0.2-3 commands: minimap name: minimodem version: 0.24-1 commands: minimodem name: mininet version: 2.2.2-2ubuntu1 commands: mn,mnexec name: minisapserver version: 0.3.6-1.1build1 commands: sapserver name: minisat version: 1:2.2.1-5build1 commands: minisat name: minisat+ version: 1.0-4 commands: minisat+ name: minissdpd version: 1.5.20180223-1 commands: minissdpd name: ministat version: 20150715-1build1 commands: ministat name: minitube version: 2.5.2-2 commands: minitube name: miniupnpc version: 1.9.20140610-4ubuntu2 commands: external-ip,upnpc name: miniupnpd version: 2.0.20171212-2 commands: miniupnpd name: minizinc version: 2.1.7+dfsg1-1 commands: mzn-fzn,mzn2doc,mzn2fzn,mzn2fzn_test,solns2out name: minizinc-ide version: 2.1.7-1 commands: fzn-gecode-gist,minizinc-ide name: minizip version: 1.1-8build1 commands: miniunzip,minizip name: minlog version: 4.0.99.20100221-6 commands: minlog name: minuet version: 17.12.3-0ubuntu1 commands: minuet name: mipe version: 1.1-6 commands: csv2mipe,genotype2mipe,mipe06to07,mipe08to09,mipe0_9to1_0,mipe2dbSTS,mipe2fas,mipe2genotypes,mipe2html,mipe2pcroverview,mipe2pcrprimers,mipe2putativesbeprimers,mipe2sbeprimers,mipe2snps,mipeCheckSanity,removePcrFromMipe,removeSbeFromMipe,removeSnpFromMipe,sbe2mipe,snp2mipe,snpPosOnDesign,snpPosOnSource name: mir-demos version: 0.31.1-0ubuntu1 commands: mir_demo_client_basic,mir_demo_client_chain_jumping_buffers,mir_demo_client_fingerpaint,mir_demo_client_flicker,mir_demo_client_multiwin,mir_demo_client_prerendered_frames,mir_demo_client_progressbar,mir_demo_client_prompt_session,mir_demo_client_release_at_exit,mir_demo_client_screencast,mir_demo_client_wayland,mir_demo_server,miral-app,miral-desktop,miral-kiosk,miral-run,miral-screencast,miral-shell,miral-xrun name: mir-test-tools version: 0.31.1-0ubuntu1 commands: mir-smoke-test-runner,mir_acceptance_tests,mir_integration_tests,mir_integration_tests_mesa-kms,mir_integration_tests_mesa-x11,mir_performance_tests,mir_privileged_tests,mir_stress,mir_test_client_impolite_shutdown,mir_test_reload_protobuf,mir_umock_acceptance_tests,mir_umock_unit_tests,mir_unit_tests,mir_unit_tests_mesa-kms,mir_unit_tests_mesa-x11,mir_unit_tests_nested,mir_wlcs_tests name: mir-utils version: 0.31.1-0ubuntu1 commands: mirbacklight,mirin,mirout,mirrun,mirscreencast name: mira-assembler version: 4.9.6-3build2 commands: mira,mirabait,miraconvert,miramem,miramer name: mirage version: 0.9.5.2-1 commands: mirage name: miredo version: 1.2.6-4 commands: miredo,miredo-checkconf,teredo-mire name: miredo-server version: 1.2.6-4 commands: miredo-server name: miri-sdr version: 0.0.4.59ba37-5 commands: miri_sdr name: mirmon version: 2.11-5 commands: mirmon,probe name: mirrorkit version: 0.2.1 commands: mirrorkit name: mirrormagic version: 2.0.2.0deb1-13 commands: mirrormagic name: misery version: 0.2-1.1build2 commands: misery name: missfits version: 2.8.0-1build1 commands: missfits name: missidentify version: 1.0-8 commands: missidentify name: mistral-common version: 6.0.0-0ubuntu1.1 commands: mistral-db-manage,mistral-server,mistral-wsgi-api name: mitmproxy version: 2.0.2-3 commands: mitmdump,mitmproxy,mitmweb,pathoc,pathod name: miwm version: 1.1-6 commands: miwm,miwm-session,x-window-manage name: mixer.app version: 1.8.0-5build1 commands: Mixer.app name: mixxx version: 2.0.0~dfsg-9 commands: mixxx name: mjpegtools version: 1:2.1.0+debian-5 commands: jpeg2yuv,lav2avi,lav2mpeg,lav2wav,lav2yuv,lavaddwav,lavinfo,lavpipe,lavplay,lavtrans,mp2enc,mpeg2enc,mpegtranscode,mplex,pgmtoy4m,png2yuv,pnmtoy4m,ppmtoy4m,y4mcolorbars,y4mdenoise,y4mscaler,y4mtopnm,y4mtoppm,y4munsharp,yuv2lav,yuv4mpeg,yuvcorrect,yuvcorrect_tune,yuvdeinterlace,yuvdenoise,yuvfps,yuvinactive,yuvkineco,yuvmedianfilter,yuvplay,yuvscaler,yuvycsnoise name: mjpegtools-gtk version: 1:2.1.0+debian-5 commands: glav name: mk-configure version: 0.29.1-2 commands: mkc_check_common.sh,mkc_check_compiler,mkc_check_custom,mkc_check_decl,mkc_check_funclib,mkc_check_header,mkc_check_prog,mkc_check_sizeof,mkc_check_version,mkc_get_deps,mkc_install,mkc_long_lines,mkc_test_helper,mkc_which,mkcmake name: mkalias version: 1.0.10-2 commands: mkalias name: mkchromecast version: 0.3.8.1-1 commands: mkchromecast name: mkcue version: 1-5 commands: mkcue name: mkdocs version: 0.16.3-2 commands: mkdocs name: mkgmap version: 0.0.0+svn3741-1 commands: mkgmap name: mkgmap-splitter version: 0.0.0+svn548-1 commands: mkgmap-splitter name: mkgmapgui version: 1.1.ds-6 commands: mkgmapgui name: mklibs version: 0.1.43 commands: mklibs name: mklibs-copy version: 0.1.43 commands: mklibs-copy,mklibs-readelf name: mknfonts.tool version: 0.5-11build4 commands: mknfonts,update-nfonts name: mkosi version: 3+17-1 commands: mkosi name: mksh version: 56c-1 commands: ksh,lksh,mksh,mksh-static name: mktorrent version: 1.0-4build1 commands: mktorrent name: mkvtoolnix version: 19.0.0-1 commands: mkvextract,mkvinfo,mkvinfo-text,mkvmerge,mkvpropedit name: mkvtoolnix-gui version: 19.0.0-1 commands: mkvinfo,mkvinfo-gui,mkvtoolnix-gui name: mldonkey-gui version: 3.1.6-1fakesync1 commands: mlgui,mlguistarter name: mldonkey-server version: 3.1.6-1fakesync1 commands: mldonkey,mlnet name: mlmmj version: 1.3.0-2 commands: mlmmj-bounce,mlmmj-list,mlmmj-maintd,mlmmj-make-ml,mlmmj-process,mlmmj-receive,mlmmj-recieve,mlmmj-send,mlmmj-sub,mlmmj-unsub name: mlock version: 8:2007f~dfsg-5build1 commands: mlock name: mlpack-bin version: 2.2.5-1build1 commands: mlpack_adaboost,mlpack_allkfn,mlpack_allknn,mlpack_allkrann,mlpack_approx_kfn,mlpack_cf,mlpack_dbscan,mlpack_decision_stump,mlpack_decision_tree,mlpack_det,mlpack_emst,mlpack_fastmks,mlpack_gmm_generate,mlpack_gmm_probability,mlpack_gmm_train,mlpack_hmm_generate,mlpack_hmm_loglik,mlpack_hmm_train,mlpack_hmm_viterbi,mlpack_hoeffding_tree,mlpack_kernel_pca,mlpack_kfn,mlpack_kmeans,mlpack_knn,mlpack_krann,mlpack_lars,mlpack_linear_regression,mlpack_local_coordinate_coding,mlpack_logistic_regression,mlpack_lsh,mlpack_mean_shift,mlpack_nbc,mlpack_nca,mlpack_nmf,mlpack_pca,mlpack_perceptron,mlpack_preprocess_binarize,mlpack_preprocess_describe,mlpack_preprocess_imputer,mlpack_preprocess_split,mlpack_radical,mlpack_range_search,mlpack_softmax_regression,mlpack_sparse_coding name: mlpost version: 0.8.1-8build1 commands: mlpost name: mlv-smile version: 1.47-5 commands: mlv-smile name: mm-common version: 0.9.12-1 commands: mm-common-prepare name: mm3d version: 1.3.9+git20180220-1 commands: mm3d name: mma version: 16.06-1 commands: mma,mma-gb,mma-libdoc,mma-mnx,mma-renum,mma-rm2std,mma-splitrec,mup2mma,pg2mma,synthsplit name: mmake version: 2.3-7 commands: mmake name: mmark version: 1.3.6+dfsg-1 commands: mmark name: mmass version: 5.5.0-5 commands: mmass name: mmc-utils version: 0+git20170901.37c86e60-1 commands: mmc name: mmdb-bin version: 1.3.1-1 commands: mmdblookup name: mmh version: 0.3-3 commands: ,ali,anno,burst,comp,dist,flist,flists,fnext,folder,folders,forw,fprev,inc,mark,mhbuild,mhl,mhlist,mhmail,mhparam,mhpath,mhpgp,mhsign,mhstore,mmh,new,next,packf,pick,prev,prompter,rcvdist,rcvpack,rcvstore,refile,repl,rmf,rmm,scan,send,sendfiles,show,slocal,sortm,spost,unseen,whatnow,whom name: mmllib-tools version: 0.3.0.post1-1 commands: mml2musicxml,mmllint name: mmorph version: 2.3.4.2-15 commands: mmorph name: mmv version: 1.01b-19build1 commands: mad,mcp,mln,mmv name: mnemosyne version: 2.4-0.1 commands: mnemosyne name: moap version: 0.2.7-1.1 commands: moap name: moarvm version: 2018.03+dfsg-1 commands: moar name: mobile-atlas-creator version: 1.9.16+dfsg1-1 commands: mobile-atlas-creator name: mobyle-utils version: 1.5.5+dfsg-5 commands: mobyle-setsid name: moc version: 1:2.6.0~svn-r2949-2 commands: mocp name: mocassin version: 2.02.72-2build1 commands: mocassin name: mocha version: 1.20.1-7 commands: mocha name: mock version: 1.3.2-2 commands: mock,mockchain name: mockgen version: 1.0.0-1 commands: mockgen name: mod-gearman-tools version: 1.5.5-1build4 commands: gearman_top,mod_gearman_mini_epn name: mod-gearman-worker version: 1.5.5-1build4 commands: mod_gearman_worker name: model-builder version: 0.4.1-6.2 commands: PyMB name: modem-cmd version: 1.0.2-1 commands: modem-cmd name: modem-manager-gui version: 0.0.19.1-1 commands: modem-manager-gui name: modplug-tools version: 0.5.3-2 commands: modplug123,modplugplay name: module-assistant version: 0.11.9 commands: m-a,module-assistant name: mokomaze version: 0.5.5+git8+dfsg0-4build2 commands: mokomaze name: molds version: 0.3.1-1build8 commands: MolDS.out,molds name: molly-guard version: 0.7.1 commands: coldreboot,halt,pm-hibernate,pm-suspend,pm-suspend-hybrid,poweroff,reboot,shutdown name: mom version: 0.5.1-3 commands: momd name: mon version: 1.3.2-3 commands: mon,moncmd,monfailures,monshow,skymon name: mona version: 1.4-17-1 commands: dfa2dot,gta2dot,mona name: monajat-applet version: 4.1-2 commands: monajat-applet name: monajat-mod version: 4.1-2 commands: monajat-mod name: mongo-tools version: 3.6.3-0ubuntu1 commands: bsondump,mongodump,mongoexport,mongofiles,mongoimport,mongoreplay,mongorestore,mongostat,mongotop name: mongodb-clients version: 1:3.6.3-0ubuntu1 commands: mongo,mongoperf name: mongodb-server-core version: 1:3.6.3-0ubuntu1 commands: mongod,mongos name: mongrel2-core version: 1.11.0-7build1 commands: m2sh,mongrel2 name: monit version: 1:5.25.1-1build1 commands: monit name: monkeyrunner version: 2.0.0-1 commands: monkeyrunner name: monkeysign version: 2.2.3 commands: monkeyscan,monkeysign name: monkeysphere version: 0.41-1ubuntu1 commands: monkeysphere,monkeysphere-authentication,monkeysphere-host,openpgp2pem,openpgp2spki,openpgp2ssh,pem2openpgp name: mono-4.0-service version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-service name: mono-addins-utils version: 1.0+git20130406.adcd75b-4 commands: mautil name: mono-apache-server version: 4.2-2.1 commands: mod-mono-server,mono-server-admin,mono-server-update name: mono-apache-server4 version: 4.2-2.1 commands: mod-mono-server4,mono-server4-admin,mono-server4-update name: mono-csharp-shell version: 4.6.2.7+dfsg-1ubuntu1 commands: csharp name: mono-devel version: 4.6.2.7+dfsg-1ubuntu1 commands: al,al2,caspol,cccheck,ccrewrite,cert2spc,certmgr,chktrust,cli-al,cli-csc,cli-resgen,cli-sn,crlupdate,disco,dtd2rng,dtd2xsd,genxs,httpcfg,ikdasm,ilasm,installvst,lc,macpack,makecert,mconfig,mdbrebase,mkbundle,mono-api-check,mono-api-info,mono-cil-strip,mono-configuration-crypto,mono-csc,mono-heapviz,mono-shlib-cop,mono-symbolicate,mono-test-install,mono-xmltool,monolinker,monop,monop2,mozroots,pdb2mdb,permview,resgen,resgen2,secutil,setreg,sgen,signcode,sn,soapsuds,sqlmetal,sqlsharp,svcutil,wsdl,wsdl2,xsd name: mono-fastcgi-server version: 4.2-2.1 commands: fastcgi-mono-server name: mono-fastcgi-server4 version: 4.2-2.1 commands: fastcgi-mono-server4 name: mono-fpm-server version: 4.2-2.1 commands: mono-fpm name: mono-gac version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-gacutil,gacutil name: mono-jay version: 4.6.2.7+dfsg-1ubuntu1 commands: jay name: mono-mcs version: 4.6.2.7+dfsg-1ubuntu1 commands: dmcs,mcs name: mono-profiler version: 4.2-2.2 commands: emveepee,mprof-decoder,mprof-heap-viewer name: mono-runtime version: 4.6.2.7+dfsg-1ubuntu1 commands: cli,mono name: mono-runtime-boehm version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-boehm name: mono-runtime-sgen version: 4.6.2.7+dfsg-1ubuntu1 commands: mono-sgen name: mono-tools-devel version: 4.2-2.2 commands: create-native-map,minvoke name: mono-tools-gui version: 4.2-2.2 commands: gsharp,gui-compare,mperfmon name: mono-upnp-bin version: 0.1.2-2build1 commands: mono-upnp-gtk,mono-upnp-simple-media-server name: mono-utils version: 4.6.2.7+dfsg-1ubuntu1 commands: cli-ildasm,mono-find-provides,mono-find-requires,monodis,mprof-report,pedump,peverify name: mono-vbnc version: 4.0.1-1 commands: vbnc,vbnc2 name: mono-xbuild version: 4.6.2.7+dfsg-1ubuntu1 commands: xbuild name: mono-xsp version: 4.2-2.1 commands: asp-state,dbsessmgr,xsp name: mono-xsp4 version: 4.2-2.1 commands: asp-state4,dbsessmgr4,mono-xsp4-admin,mono-xsp4-update,xsp4 name: monobristol version: 0.60.3-3ubuntu1 commands: monobristol name: monodoc-base version: 4.6.2.7+dfsg-1ubuntu1 commands: mdassembler,mdoc,mdoc-assemble,mdoc-export-html,mdoc-export-msxdoc,mdoc-update,mdoc-validate,mdvalidater,mod,monodocer,monodocs2html,monodocs2slashdoc name: monodoc-http version: 4.2-2.2 commands: monodoc-http name: monopd version: 0.10.2-2 commands: monopd name: monotone version: 1.1-9 commands: mtn,mtnopt name: monotone-extras version: 1.1-9 commands: mtn-cleanup name: monotone-viz version: 1.0.2-4build2 commands: monotone-viz name: monsterz version: 0.7.1-9build1 commands: monsterz name: montage version: 5.0+dfsg-1 commands: mAdd,mAddCube,mAddExec,mArchiveExec,mArchiveGet,mArchiveList,mBackground,mBestImage,mBgExec,mBgModel,mCalExec,mCalibrate,mCatMap,mCatSearch,mConvert,mCoverageCheck,mDAGGalacticPlane,mDiff,mDiffExec,mDiffFitExec,mExamine,mExec,mFitExec,mFitplane,mFixHdr,mFixNaN,mFlattenExec,mGetHdr,mHdr,mHdrCheck,mHdrWWT,mHdrWWTExec,mHdrtbl,mHistogram,mImgtbl,mJPEG,mMakeHdr,mMakeImg,mOverlaps,mPNGWWTExec,mPad,mPix2Coord,mProjExec,mProjWWTExec,mProject,mProjectCube,mProjectPP,mProjectQL,mPutHdr,mRotate,mShrink,mShrinkCube,mShrinkHdr,mSubCube,mSubimage,mSubset,mTANHdr,mTblExec,mTblSort,mTileHdr,mTileImage,mTranspose,mViewer name: montage-gridtools version: 5.0+dfsg-1 commands: mConcatFit,mDAG,mDAGFiles,mDAGTbls,mDiffFit,mExecTG,mGridExec,mNotify,mNotifyTG,mPresentation name: monteverdi version: 6.4.0+dfsg-1 commands: mapla,monteverdi name: moon-buggy version: 1:1.0.51-1ubuntu1 commands: moon-buggy name: moon-lander version: 1:1.0-7 commands: moon-lander name: moonshot-trust-router version: 1.4.1-1ubuntu1 commands: tidc,tids,trust_router name: moonshot-ui version: 1.0.3-2build1 commands: moonshot,moonshot-webp name: moosic version: 1.5.6-1 commands: moosic,moosicd name: mopac7-bin version: 1.15-6ubuntu2 commands: run_mopac7 name: mopidy version: 2.1.0-1 commands: mopidy,mopidyctl name: moreutils version: 0.60-1 commands: chronic,combine,errno,ifdata,ifne,isutf8,lckdo,mispipe,parallel,pee,sponge,ts,vidir,vipe,zrun name: moria version: 5.6.debian.1-2build2 commands: moria name: morla version: 0.16.1-1.1build1 commands: morla name: morris version: 0.2-4 commands: morris name: morse version: 2.5-1build1 commands: QSO,morse,morseALSA,morseLinux,morseOSS,morseX11 name: morse-simulator version: 1.4-2ubuntu1 commands: morse,morse_inspector,morse_sync,morseexec,multinode_server name: morse-x version: 20060903-0ubuntu2 commands: morse-x name: morse2ascii version: 0.2+dfsg-3 commands: morse2ascii name: morsegen version: 0.2.1-1 commands: morsegen name: moserial version: 3.0.10-0ubuntu2 commands: moserial name: mosh version: 1.3.2-2build1 commands: mosh,mosh-client,mosh-server name: mosquitto version: 1.4.15-2 commands: mosquitto,mosquitto_passwd name: mosquitto-auth-plugin version: 0.0.7-2.1ubuntu3 commands: np name: mosquitto-clients version: 1.4.15-2 commands: mosquitto_pub,mosquitto_sub name: most version: 5.0.0a-4 commands: most,pager name: mothur version: 1.39.5-2build1 commands: mothur,uchime name: mothur-mpi version: 1.39.5-2build1 commands: mothur-mpi name: motion version: 4.0-1 commands: motion name: mountpy version: 0.8.1build1 commands: mountpy,mountpy.py,umountpy name: mousepad version: 0.4.0-4ubuntu1 commands: mousepad name: mousetrap version: 1.0c-2 commands: mousetrap name: mozilla-devscripts version: 0.47 commands: amo-changelog,dh_xul-ext,install-xpi,moz-version,xpi-pack,xpi-repack,xpi-unpack name: mozo version: 1.20.0-1 commands: mozo name: mp3blaster version: 1:3.2.6-1 commands: mp3blaster,mp3tag,nmixer name: mp3burn version: 0.4.2-2.2 commands: mp3burn name: mp3cd version: 1.27.0-3 commands: mp3cd name: mp3check version: 0.8.7-2build1 commands: mp3check name: mp3info version: 0.8.5a-1build2 commands: mp3info name: mp3info-gtk version: 0.8.5a-1build2 commands: gmp3info name: mp3rename version: 0.6-10 commands: mp3rename name: mp3report version: 1.0.2-4 commands: mp3report name: mp3roaster version: 0.3.0-6 commands: mp3roaster name: mp3splt version: 2.6.2+20170630-3 commands: flacsplt,mp3splt,oggsplt name: mp3splt-gtk version: 0.9.2-3 commands: mp3splt-gtk name: mp3val version: 0.1.8-3build1 commands: mp3val name: mp3wrap version: 0.5-4 commands: mp3wrap name: mp4h version: 1.3.1-16 commands: mp4h name: mp4v2-utils version: 2.0.0~dfsg0-6 commands: mp4art,mp4chaps,mp4extract,mp4file,mp4info,mp4subtitle,mp4tags,mp4track,mp4trackdump name: mpack version: 1.6-8.2 commands: mpack,munpack name: mpb version: 1.5-3 commands: mpb,mpb-data,mpb-split,mpbi,mpbi-data,mpbi-split name: mpb-mpi version: 1.5-3 commands: mpb-mpi,mpbi-mpi name: mpc version: 0.29-1 commands: mpc name: mpc-ace version: 6.4.5+dfsg-1build2 commands: mpc-ace,mwc-ace name: mpc123 version: 0.2.4-5 commands: mpc123 name: mpd version: 0.20.18-1build1 commands: mpd name: mpd-sima version: 0.14.4-1 commands: mpd-sima,simadb_cli name: mpdcon.app version: 1.1.99-5build7 commands: MPDCon name: mpdcron version: 0.3+git20110303-6build1 commands: eugene,homescrape,mpdcron,walrus name: mpdris2 version: 0.7+git20180205-1 commands: mpDris2 name: mpdscribble version: 0.22-5 commands: mpdscribble name: mpdtoys version: 0.25 commands: mpcp,mpfade,mpgenplaylists,mpinsert,mplength,mpload,mpmv,mprand,mprandomwalk,mprev,mprompt,mpskip,mpstore,mpswap,mptoggle,sats,vipl name: mpeg2dec version: 0.5.1-8 commands: extract_mpeg2,mpeg2dec name: mpeg3-utils version: 1.8.dfsg-2.1 commands: mpeg3cat,mpeg3dump,mpeg3peek,mpeg3toc name: mpegdemux version: 0.1.4-4 commands: mpegdemux name: mpg123 version: 1.25.10-1 commands: mpg123-alsa,mpg123-id3dump,mpg123-jack,mpg123-nas,mpg123-openal,mpg123-oss,mpg123-portaudio,mpg123-pulse,mpg123-strip,mpg123.bin,out123 name: mpg321 version: 0.3.2-1.1ubuntu2 commands: mp3-decoder,mpg123,mpg321 name: mpgrafic version: 0.3.15-1 commands: mpgrafic name: mpgtx version: 1.3.1-6build1 commands: mpgcat,mpgdemux,mpginfo,mpgjoin,mpgsplit,mpgtx,tagmp3 name: mpich version: 3.3~a2-4 commands: hydra_nameserver,hydra_persist,hydra_pmi_proxy,mpiexec,mpiexec.hydra,mpiexec.mpich,mpirun,mpirun.mpich,parkill name: mpikmeans-tools version: 1.5+dfsg-5build3 commands: mpi_assign,mpi_kmeans name: mplayer version: 2:1.3.0-7build2 commands: mplayer name: mplayer-gui version: 2:1.3.0-7build2 commands: gmplayer name: mplinuxman version: 1.5-0ubuntu2 commands: mplinuxman,mputil,mputil_smart name: mpop version: 1.2.6-1 commands: mpop name: mpop-gnome version: 1.2.6-1 commands: mpop name: mppenc version: 1.16-1.1build1 commands: mppenc name: mpqc version: 2.3.1-18build1 commands: mpqc name: mpqc-support version: 2.3.1-18build1 commands: chkmpqcval,molrender,mpqcval,tkmolrender name: mpris-remote version: 0.0~1.gpb7c7f5c6-1.1 commands: mpris-remote name: mps-youtube version: 0.2.7.1-2ubuntu1 commands: mpsyt name: mpt-status version: 1.2.0-8build1 commands: mpt-status name: mptp version: 0.2.2-2 commands: mptp name: mpv version: 0.27.2-1ubuntu1 commands: mpv name: mrb version: 0.3 commands: gitkeeper,gk,mrb name: mrboom version: 4.4-2 commands: mrboom name: mrd6 version: 0.9.6-13 commands: mrd6,mrd6sh name: mrename version: 1.2-13 commands: mcpmv,mrename name: mriconvert version: 1:2.1.0-2 commands: MRIConvert,mcverter name: mrpt-apps version: 1:1.5.5-1 commands: 2d-slam-demo,DifOdometry-Camera,DifOdometry-Datasets,GridmapNavSimul,RawLogViewer,ReactiveNav3D-Demo,ReactiveNavigationDemo,SceneViewer3D,camera-calib,carmen2rawlog,carmen2simplemap,features-matching,gps2rawlog,graph-slam,graphslam-engine,grid-matching,hmt-slam,hmt-slam-gui,hmtMapViewer,holonomic-navigator-demo,icp-slam,icp-slam-live,image2gridmap,kf-slam,kinect-3d-slam,kinect-3d-view,kinect-stereo-calib,map-partition,mrpt-perfdata2html,mrpt-performance,navlog-viewer,observations2map,pf-localization,ptg-configurator,rawlog-edit,rawlog-grabber,rbpf-slam,ro-localization,robotic-arm-kinematics,simul-beacons,simul-gridmap,simul-landmarks,track-video-features,velodyne-view name: mrrescue version: 1.02c-2 commands: mrrescue name: mrs version: 6.0.5+dfsg-3ubuntu1 commands: mrs name: mrtdreader version: 0.1.6-1 commands: mrtdreader name: mrtg version: 2.17.4-4.1ubuntu1 commands: cfgmaker,indexmaker,mrtg,rateup name: mrtg-ping-probe version: 2.2.0-2 commands: mrtg-ping-probe name: mrtgutils version: 0.8.3 commands: mrtg-apache,mrtg-ip-acct,mrtg-load,mrtg-uptime name: mrtgutils-sensors version: 0.8.3 commands: mrtg-sensors name: mrtparse version: 1.6-1 commands: mrt-print-all,mrt-slice,mrt-summary,mrt2bgpdump,mrt2exabgp name: mrtrix version: 0.2.12-2.1 commands: mrabs,mradd,mrcat,mrconvert,mrinfo,mrmult,mrstats,mrtransform,mrview name: mruby version: 1.4.0-1 commands: mirb,mrbc,mruby,mruby-strip name: mscgen version: 0.20-11 commands: mscgen name: mseed2sac version: 2.2+ds1-3 commands: mseed2sac name: msgp version: 1.0.2-1 commands: msgp name: msi-keyboard version: 1.1-2 commands: msi-keyboard name: msitools version: 0.97-1 commands: msibuild,msidiff,msidump,msiextract,msiinfo name: msktutil version: 1.0-1 commands: msktutil name: msmtp version: 1.6.6-1 commands: msmtp name: msmtp-gnome version: 1.6.6-1 commands: msmtp name: msmtp-mta version: 1.6.6-1 commands: newaliases,sendmail name: msort version: 8.53-2.1build2 commands: msort name: msort-gui version: 8.53-2.1build2 commands: msort-gui name: msp430mcu version: 20120406-2 commands: msp430mcu-config name: mspdebug version: 0.22-2build1 commands: mspdebug name: mssh version: 2.2-4 commands: mssh name: mstflint version: 4.8.0-2 commands: mstconfig,mstflint,mstfwreset,mstmcra,mstmread,mstmtserver,mstmwrite,mstregdump,mstvpd name: msva-perl version: 0.9.2-1ubuntu2 commands: monkeysphere-validation-agent,msva-perl,msva-query-agent name: mswatch version: 1.2.0-2.2 commands: mswatch name: msxpertsuite version: 4.1.0-1 commands: massxpert,minexpert name: mt-st version: 1.3-1 commands: mt,mt-st,stinit name: mtail version: 3.0.0~rc5-1 commands: mtail name: mtasc version: 1.14-3build5 commands: mtasc name: mtbl-bin version: 0.8.0-1build1 commands: mtbl_dump,mtbl_info,mtbl_merge,mtbl_verify name: mtdev-tools version: 1.1.5-1ubuntu3 commands: mtdev-test name: mtink version: 1.0.16-9 commands: askPrinter,mtink,mtinkc,mtinkd,ttink name: mtkbabel version: 0.8.3.1-1.1 commands: mtkbabel name: mtp-tools version: 1.1.13-1 commands: mtp-albumart,mtp-albums,mtp-connect,mtp-delfile,mtp-detect,mtp-emptyfolders,mtp-files,mtp-filetree,mtp-folders,mtp-format,mtp-getfile,mtp-getplaylist,mtp-hotplug,mtp-newfolder,mtp-newplaylist,mtp-playlists,mtp-reset,mtp-sendfile,mtp-sendtr,mtp-thumb,mtp-tracks,mtp-trexist name: mtpaint version: 3.40-3 commands: mtpaint name: mtpolicyd version: 2.02-3 commands: mtpolicyd,policyd-client name: mtr version: 0.92-1 commands: mtr,mtr-packet name: mttroff version: 1.0+svn6432+dfsg-0ubuntu2 commands: mttroff name: muchsync version: 5-1 commands: muchsync name: mudita24 version: 1.0.3+svn13-6 commands: mudita24 name: mudlet version: 1:3.7.1-1 commands: mudlet name: mueval version: 0.9.3-1build1 commands: mueval,mueval-core name: muffin version: 3.6.0-1 commands: muffin,muffin-message,muffin-theme-viewer,muffin-window-demo name: mugshot version: 0.4.0-1 commands: mugshot name: multicat version: 2.2-3 commands: aggregartp,ingests,lasts,multicat,multicat_validate,offsets,reordertp name: multimail version: 0.49-2build2 commands: mm name: multimon version: 1.0-7.1build1 commands: gen,multimon name: multistrap version: 2.2.9 commands: multistrap name: multitail version: 6.4.2-3 commands: multitail name: multitee version: 3.0-6build1 commands: multitee name: multitet version: 1.0+svn6432-0ubuntu2 commands: multitet name: multitime version: 1.3-1 commands: multitime name: multiwatch version: 1.0.0-rc1+really1.0.0-1build1 commands: multiwatch name: mumble version: 1.2.19-1ubuntu1 commands: mumble,mumble-overlay name: mumble-server version: 1.2.19-1ubuntu1 commands: murmur-user-wrapper,murmurd name: mummer version: 3.23+dfsg-3 commands: combineMUMs,delta-filter,delta2blocks,delta2maf,dnadiff,exact-tandems,gaps,mapview,mgaps,mummer,mummer-annotate,mummerplot,nucmer,nucmer2xfig,promer,repeat-match,run-mummer1,run-mummer3,show-aligns,show-coords,show-diff,show-snps,show-tiling name: mumudvb version: 1.7.1-1build1 commands: mumudvb name: munge version: 0.5.13-1 commands: create-munge-key,munge,munged,remunge,unmunge name: munin version: 2.0.37-1 commands: munin-check,munin-cron name: munin-libvirt-plugins version: 0.0.6-1 commands: munin-libvirt-plugins-detect name: munin-node version: 2.0.37-1 commands: munin-node,munin-node-configure,munin-run,munin-sched,munindoc name: munin-node-c version: 0.0.11-1 commands: munin-node-c name: munipack-cli version: 0.5.10-1 commands: munipack name: munipack-gui version: 0.5.10-1 commands: xmunipack name: muon version: 4:5.8.0-0ubuntu1 commands: muon name: mupdf version: 1.12.0+ds1-1 commands: mupdf name: mupdf-tools version: 1.12.0+ds1-1 commands: mutool name: murano-agent version: 1:3.4.0-0ubuntu1 commands: muranoagent name: murano-api version: 1:5.0.0-0ubuntu1 commands: murano-api name: murano-common version: 1:5.0.0-0ubuntu1 commands: murano-cfapi,murano-cfapi-db-manage,murano-db-manage,murano-manage,murano-test-runner,murano-wsgi-api name: murano-engine version: 1:5.0.0-0ubuntu1 commands: murano-engine name: murasaki version: 1.68.6-6build5 commands: geneparse,mbfa,murasaki name: murasaki-mpi version: 1.68.6-6build5 commands: geneparse-mpi,mbfa-mpi,murasaki-mpi name: muroar-bin version: 0.1.13-4 commands: muroarstream name: muroard version: 0.1.14-5 commands: muroard name: muscle version: 1:3.8.31+dfsg-3 commands: muscle name: muse version: 2.1.2-3 commands: grepmidi,muse,muse-song-convert name: musepack-tools version: 2:0.1~r495-1 commands: mpc2sv8,mpcchap,mpccut,mpcdec,mpcenc,mpcgain,wavcmp name: musescore version: 2.1.0+dfsg3-3build1 commands: mscore,musescore name: music-bin version: 1.0.7-4 commands: eventcounter,eventgenerator,eventlogger,eventselect,eventsink,eventsource,music,viewevents name: music123 version: 16.4-2 commands: music123 name: musiclibrarian version: 1.6-2.2 commands: music-librarian name: musique version: 1.1-2.1build1 commands: musique name: musl version: 1.1.19-1 commands: ld-musl-config name: musl-tools version: 1.1.19-1 commands: musl-gcc,musl-ldd name: mussh version: 1.0-1 commands: mussh name: mussort version: 0.4-2 commands: mussort name: mustang version: 3.2.3-1ubuntu1 commands: mustang name: mustang-plug version: 1.2-1build1 commands: plug name: mutrace version: 0.2.0-3 commands: matrace,mutrace name: mutt-vc-query version: 003-3 commands: mutt_vc_query name: muttprint version: 0.73-8 commands: muttprint name: muttprofile version: 1.0.1-5 commands: muttprofile name: mwaw2epub version: 0.9.6-1 commands: mwaw2epub name: mwaw2odf version: 0.9.6-1 commands: mwaw2odf name: mwc version: 2.0.4-2 commands: mwc,mwcfeedserver name: mwm version: 2.3.8-2build1 commands: mwm,x-window-manager,xmbind name: mwrap version: 0.33-4 commands: mwrap name: mx44 version: 1.0-0ubuntu7 commands: mx44 name: mxallowd version: 1.9-2build1 commands: mxallowd name: mxt-app version: 1.27-2 commands: mxt-app name: mycli version: 1.8.1-2 commands: mycli name: mydumper version: 0.9.1-5 commands: mydumper,myloader name: mylvmbackup version: 0.15-1.1 commands: mylvmbackup name: mypaint version: 1.2.0-4.1 commands: mypaint,mypaint-ora-thumbnailer name: myproxy version: 6.1.28-2 commands: myproxy-change-pass-phrase,myproxy-destroy,myproxy-get-delegation,myproxy-get-trustroots,myproxy-info,myproxy-init,myproxy-logon,myproxy-retrieve,myproxy-store name: myproxy-admin version: 6.1.28-2 commands: myproxy-admin-addservice,myproxy-admin-adduser,myproxy-admin-change-pass,myproxy-admin-load-credential,myproxy-admin-query,myproxy-replicate,myproxy-server-setup,myproxy-test,myproxy-test-replicate name: myproxy-server version: 6.1.28-2 commands: myproxy-server name: mypy version: 0.560-1 commands: dmypy,mypy,stubgen name: myrepos version: 1.20160123 commands: mr,webcheckout name: myrescue version: 0.9.4-9 commands: myrescue name: mysecureshell version: 2.0-2build1 commands: mysecureshell,sftp-admin,sftp-kill,sftp-state,sftp-user,sftp-verif,sftp-who name: myspell-tools version: 1:3.1-24.2 commands: i2myspell,is2my-spell.pl,ispellaff2myspell,munch,unmunch name: mysql-sandbox version: 3.2.05-1 commands: deploy_to_remote_sandboxes,low_level_make_sandbox,make_multiple_custom_sandbox,make_multiple_sandbox,make_replication_sandbox,make_sandbox,make_sandbox_from_installed,make_sandbox_from_source,make_sandbox_from_url,msandbox,msb,sbtool,test_sandbox name: mysql-testsuite-5.7 version: 5.7.21-1ubuntu1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: mysql-utilities version: 1.6.4-1 commands: mysqlauditadmin,mysqlauditgrep,mysqlbinlogmove,mysqlbinlogpurge,mysqlbinlogrotate,mysqldbcompare,mysqldbcopy,mysqldbexport,mysqldbimport,mysqldiff,mysqldiskusage,mysqlfailover,mysqlfrm,mysqlgrants,mysqlindexcheck,mysqlmetagrep,mysqlprocgrep,mysqlreplicate,mysqlrpladmin,mysqlrplcheck,mysqlrplms,mysqlrplshow,mysqlrplsync,mysqlserverclone,mysqlserverinfo,mysqlslavetrx,mysqluc,mysqluserclone name: mysql-workbench version: 6.3.8+dfsg-1build3 commands: mysql-workbench name: mysqltuner version: 1.7.2-1 commands: mysqltuner name: mysqmail-courier-logger version: 0.4.9-10.2 commands: mysqmail-courier-logger name: mysqmail-dovecot-logger version: 0.4.9-10.2 commands: mysqmail-dovecot-logger name: mysqmail-postfix-logger version: 0.4.9-10.2 commands: mysqmail-postfix-logger name: mysqmail-pure-ftpd-logger version: 0.4.9-10.2 commands: mysqmail-pure-ftpd-logger name: mythtv-status version: 0.10.8-1 commands: mythtv-status,mythtv-update-motd,mythtv_recording_now,mythtv_recording_soon name: mythtvfs version: 0.6.1-3build1 commands: mythtvfs name: mytop version: 1.9.1-4 commands: mytop name: mz version: 0.40-1.1build1 commands: mz name: mzclient version: 0.9.0-6 commands: mzclient name: n2n version: 1.3.1~svn3789-7 commands: edge,supernode name: nabi version: 1.0.0-3 commands: nabi name: nacl-tools version: 20110221-5 commands: curvecpclient,curvecpmakekey,curvecpmessage,curvecpprintkey,curvecpserver,nacl-sha256,nacl-sha512 name: nadoka version: 0.7.6-1.2 commands: nadoka name: nagcon version: 0.0.30-0ubuntu4 commands: nagcon name: nagios-nrpe-server version: 3.2.1-1ubuntu1 commands: nrpe name: nagios2mantis version: 3.1-1.1 commands: nagios2mantis name: nagios3-core version: 3.5.1.dfsg-2.1ubuntu8 commands: nagios3,nagios3stats name: nagios3-dbg version: 3.5.1.dfsg-2.1ubuntu8 commands: mini_epn,mini_epn_nagios3 name: nagstamon version: 3.0.2-1 commands: nagstamon name: nagzilla version: 2.0-1 commands: nagzillac,nagzillad name: nailgun version: 0.9.3-2 commands: ng-nailgun name: nama version: 1.208-2 commands: nama name: namazu2 version: 2.0.21-21 commands: bnamazu,namazu,nmzcat,nmzegrep,nmzgrep,tknamazu name: namazu2-index-tools version: 2.0.21-21 commands: adnmz,gcnmz,kwnmz,lnnmz,mailutime,mknmz,nmzmerge,rfnmz,vfnmz name: namebench version: 1.3.1+dfsg-2 commands: namebench name: nano-tiny version: 2.9.3-2 commands: editor,nano-tiny name: nanoblogger version: 3.4.2-3 commands: nb name: nanoc version: 4.8.0-1 commands: nanoc name: nanomsg-utils version: 0.8~beta+dfsg-1 commands: nanocat,tcpmuxd name: nanook version: 1.26+dfsg-1 commands: nanook name: nant version: 0.92~rc1+dfsg-6 commands: nant name: nas version: 1.9.4-6 commands: nasd,start-nas name: nas-bin version: 1.9.4-6 commands: auconvert,auctl,audemo,audial,auedit,auinfo,aupanel,auphone,auplay,aurecord,auscope,autool,auwave,checkmail,issndfile,playbucket,soundtoh name: nasm version: 2.13.02-0.1 commands: ldrdf,nasm,ndisasm,rdf2bin,rdf2com,rdf2ihx,rdf2ith,rdf2srec,rdfdump,rdflib,rdx name: nast version: 0.2.0-7 commands: nast name: nast-ier version: 20101212+dfsg1-1build1 commands: nast-ier name: nasty version: 0.6-3 commands: nasty name: nat-traverse version: 0.6-1 commands: nat-traverse name: natbraille version: 2.0rc3-6 commands: natbraille name: natlog version: 2.00.00-1 commands: natlog name: natpmpc version: 20150609-2 commands: natpmpc name: naturaldocs version: 1:1.5.1-0ubuntu1 commands: naturaldocs name: nautic version: 1.5-4 commands: nautic name: nautilus-compare version: 0.0.4+po1-1 commands: nautilus-compare-preferences name: nautilus-filename-repairer version: 0.2.0-1 commands: nautilus-filename-repairer name: nautilus-script-manager version: 0.0.5-0ubuntu5 commands: nautilus-script-manager name: nautilus-scripts-manager version: 2.0-1 commands: nautilus-scripts-manager name: nauty version: 2.6r10+ds-1 commands: dreadnaut,nauty-NRswitchg,nauty-addedgeg,nauty-amtog,nauty-biplabg,nauty-blisstog,nauty-catg,nauty-checks6,nauty-complg,nauty-converseg,nauty-copyg,nauty-countg,nauty-cubhamg,nauty-deledgeg,nauty-delptg,nauty-directg,nauty-dretodot,nauty-dretog,nauty-genbg,nauty-genbgL,nauty-geng,nauty-genquarticg,nauty-genrang,nauty-genspecialg,nauty-gentourng,nauty-gentreeg,nauty-hamheuristic,nauty-labelg,nauty-linegraphg,nauty-listg,nauty-multig,nauty-newedgeg,nauty-pickg,nauty-planarg,nauty-ranlabg,nauty-shortg,nauty-showg,nauty-subdivideg,nauty-sumlines,nauty-twohamg,nauty-vcolg,nauty-watercluster2 name: navit version: 0.5.0+dfsg.1-2build1 commands: navit name: nbd-client version: 1:3.16.2-1 commands: nbd-client name: nbibtex version: 0.9.18-11 commands: bib2html,nbibfind,nbibtex name: nbtscan version: 1.5.1-6build1 commands: nbtscan name: ncaptool version: 1.9.2-2.2 commands: ncaptool name: ncbi-blast+ version: 2.6.0-1 commands: blast_formatter,blastdb_aliastool,blastdbcheck,blastdbcmd,blastdbcp,blastn,blastp,blastx,convert2blastmask,deltablast,dustmasker,gene_info_reader,legacy_blast,makeblastdb,makembindex,makeprofiledb,psiblast,rpsblast+,rpstblastn,seedtop+,segmasker,seqdb_perf,tblastn,tblastx,update_blastdb,windowmasker,windowmasker_2.2.22_adapter name: ncbi-blast+-legacy version: 2.6.0-1 commands: bl2seq,blastall,blastpgp,fastacmd,formatdb,megablast,rpsblast,seedtop name: ncbi-data version: 6.1.20170106-2 commands: vibrate name: ncbi-entrez-direct version: 7.40.20170928+ds-1 commands: amino-acid-composition,between-two-genes,eaddress,ecitmatch,econtact,edirect,edirutil,efetch,efilter,einfo,elink,enotify,entrez-phrase-search,epost,eproxy,esearch,espell,esummary,filter-stop-words,ftp-cp,ftp-ls,gbf2xml,join-into-groups-of,nquire,reorder-columns,sort-uniq-count,sort-uniq-count-rank,word-at-a-time,xtract,xy-plot name: ncbi-epcr version: 2.3.12-1-5 commands: e-PCR,fahash,famap,re-PCR name: ncbi-seg version: 0.0.20000620-4 commands: ncbi-seg name: ncbi-tools-bin version: 6.1.20170106-2 commands: asn2all,asn2asn,asn2ff,asn2fsa,asn2gb,asn2idx,asn2xml,asndhuff,asndisc,asnmacro,asntool,asnval,checksub,cleanasn,debruijn,errhdr,fa2htgs,findspl,gbseqget,gene2xml,getmesh,getpub,gil2bin,idfetch,indexpub,insdseqget,makeset,nps2gps,sortbyquote,spidey,subfuse,taxblast,tbl2asn,trna2sap,trna2tbl,vecscreen name: ncbi-tools-x11 version: 6.1.20170106-2 commands: Cn3D,Cn3D-3.0,Psequin,ddv,entrez,entrez2,sbtedit,sequin,udv name: ncc version: 2.8-2.1 commands: gengraph,nccar,nccc++,nccg++,nccgen,nccld,nccnav,nccnavi name: ncdt version: 2.1-4 commands: ncdt name: ncdu version: 1.12-1 commands: ncdu name: ncftp version: 2:3.2.5-2 commands: ncftp,ncftp3,ncftpbatch,ncftpbookmarks,ncftpget,ncftpls,ncftpput,ncftpspooler name: ncl-ncarg version: 6.4.0-9 commands: ConvertMapData,WriteLineFile,WriteNameFile,cgm2ncgm,ctlib,ctrans,ezmapdemo,fcaps,findg,fontc,gcaps,graphc,ictrans,idt,med,ncargfile,ncargpath,ncargrun,ncargversion,ncargworld,ncarlogo2ps,ncarvversion,ncgm2cgm,ncgmstat,ncl,ncl_convert2nc,ncl_filedump,ncl_grib2nc,nnalg,pre2ncgm,psblack,psplit,pswhite,ras2ccir601,rascat,rasgetpal,rasls,rassplit,rasstat,rasview,scrip_check_input,tdpackdemo,tgks0a,tlocal name: ncl-tools version: 2.1.18+dfsg-2build1 commands: NCLconverter,NEXUSnormalizer,NEXUSvalidator name: ncmpc version: 0.27-1 commands: ncmpc name: ncmpcpp version: 0.8.1-1build2 commands: ncmpcpp name: nco version: 4.7.2-1 commands: ncap,ncap2,ncatted,ncbo,ncclimo,ncdiff,ncea,ncecat,nces,ncflint,ncks,ncpdq,ncra,ncrcat,ncremap,ncrename,ncwa name: ncoils version: 2002-5 commands: coils-wrap,ncoils name: ncompress version: 4.2.4.4-20 commands: compress,uncompress.real name: ncrack version: 0.6-1build1 commands: ncrack name: ncurses-hexedit version: 0.9.7+orig-3 commands: hexeditor name: ncview version: 2.1.8+ds-1build1 commands: ncview name: nd version: 0.8.2-8build1 commands: nd name: ndiff version: 7.60-1ubuntu5 commands: ndiff name: ndisc6 version: 1.0.3-3ubuntu2 commands: addr2name,dnssort,name2addr,ndisc6,rdisc6,rltraceroute6,tcpspray.ndisc6,tcpspray6,tcptraceroute6,traceroute6,tracert6 name: ndpmon version: 1.4.0-2.1build1 commands: ndpmon name: ndppd version: 0.2.5-3 commands: ndppd name: ndtpd version: 1:1.0.dfsg.1-4.3build1 commands: ndtpcheck,ndtpcontrol,ndtpd name: ne version: 3.0.1-2build2 commands: editor,ne name: neard-tools version: 0.16-0.1 commands: nfctool name: neat version: 2.0-2build1 commands: neat name: nec2c version: 1.3-3 commands: nec2c name: nedit version: 1:5.7-2 commands: editor,nedit,nedit-nc name: needrestart version: 3.1-1 commands: needrestart name: needrestart-session version: 0.3-5 commands: needrestart-session name: neko version: 2.2.0-2build1 commands: neko,nekoc,nekoml,nekotools name: nekobee version: 0.1.8~repack1-1 commands: nekobee name: nemiver version: 0.9.6-1.1build1 commands: nemiver name: nemo version: 3.6.5-1 commands: nemo,nemo-autorun-software,nemo-connect-server,nemo-desktop,nemo-open-with name: neo4j-client version: 2.2.0-1build1 commands: neo4j-client name: neobio version: 0.0.20030929-3 commands: neobio name: neofetch version: 3.4.0-1 commands: neofetch name: neomutt version: 20171215+dfsg.1-1 commands: neomutt name: neopi version: 0.0+git20120821.9ffff8-5 commands: neopi name: neovim version: 0.2.2-3 commands: editor,ex,ex.nvim,nvim,rview,rview.nvim,rvim,rvim.nvim,vi,view,view.nvim,vim,vimdiff,vimdiff.nvim name: neovim-qt version: 0.2.8-3 commands: gvim,gvim.nvim-qt,nvim-qt name: nescc version: 1.3.5-1.1 commands: nescc,nescc-mig,nescc-ncg,nescc-wiring name: nestopia version: 1.47-2ubuntu3 commands: nes,nestopia name: net-acct version: 0.71-9build1 commands: nacctd name: netanim version: 3.100-1build1 commands: NetAnim name: netatalk version: 2.2.6-1 commands: ad,add_netatalk_printer,adv1tov2,aecho,afpd,afpldaptest,apple_dump,asip-status.pl,atalkd,binheader,cnid2_create,cnid_dbd,cnid_metad,dbd,getzones,hqx2bin,lp2pap.sh,macbinary,macusers,megatron,nadheader,nbplkup,nbprgstr,nbpunrgstr,netatalk-uniconv,pap,papd,papstatus,psorder,showppd,single2bin,timelord,unbin,unhex,unsingle name: netbeans version: 8.1+dfsg3-4 commands: netbeans name: netcat-traditional version: 1.10-41.1 commands: nc,nc.traditional,netcat name: netcdf-bin version: 1:4.6.0-2build1 commands: nccopy,ncdump,ncgen,ncgen3 name: netcf version: 1:0.2.8-1ubuntu2 commands: ncftool name: netconfd version: 2.10-1build1 commands: netconf-subsystem,netconfd name: netdata version: 1.9.0+dfsg-1 commands: netdata name: netdiag version: 1.2-1 commands: checkint,netload,netwatch,statnet,statnetd,tcpblast,tcpspray,trafshow,udpblast name: netdiscover version: 0.3beta7~pre+svn118-5 commands: netdiscover name: netfilter-persistent version: 1.0.4+nmu2 commands: netfilter-persistent name: nethack-console version: 3.6.0-4 commands: nethack,nethack-console name: nethack-lisp version: 3.6.0-4 commands: nethack-lisp name: nethack-x11 version: 3.6.0-4 commands: nethack,xnethack name: nethogs version: 0.8.5-2 commands: nethogs name: netmask version: 2.4.3-2 commands: netmask name: netmate version: 0.2.0-7 commands: netmate name: netmaze version: 0.81+jpg0.82-15 commands: netmaze,xnetserv name: netmrg version: 0.20-7.2 commands: netmrg-gatherer,rrdedit name: netpanzer version: 0.8.7+ds-2 commands: netpanzer name: netperfmeter version: 1.2.3-1ubuntu2 commands: netperfmeter name: netpipe-lam version: 3.7.2-7.4build2 commands: NPlam,NPlam2 name: netpipe-mpich2 version: 3.7.2-7.4build2 commands: NPmpich2 name: netpipe-pvm version: 3.7.2-7.4build2 commands: NPpvm name: netpipe-tcp version: 3.7.2-7.4build2 commands: NPtcp name: netpipes version: 4.2-8build1 commands: encapsulate,faucet,getsockname,hose,sockdown,timelimit.netpipes name: netplan version: 1.10.1-5build1 commands: netplan name: netplug version: 1.2.9.2-3 commands: netplugd name: netrek-client-cow version: 3.3.1-1 commands: netrek-client-cow name: netrik version: 1.16.1-2build2 commands: netrik name: netris version: 0.52-10build1 commands: netris,netris-sample-robot name: netrw version: 1.3.2-3 commands: netread,netwrite,nr,nw name: netscript-2.4 version: 5.5.3 commands: ifdown,ifup,netscript name: netscript-ipfilter version: 5.5.3 commands: netscript name: netsed version: 1.2-3 commands: netsed name: netsend version: 0.0~svnr250-1.2ubuntu2 commands: netsend name: netsniff-ng version: 0.6.4-1 commands: astraceroute,bpfc,curvetun,flowtop,ifpps,mausezahn,netsniff-ng,trafgen name: netstat-nat version: 1.4.10-3build1 commands: netstat-nat name: netstress version: 1.2.0-5 commands: netstress name: nettle-bin version: 3.4-1 commands: nettle-hash,nettle-lfib-stream,nettle-pbkdf2,pkcs1-conv,sexp-conv name: nettoe version: 1.5.1-2 commands: nettoe name: netwag version: 5.39.0-1.2build1 commands: netwag name: netwox version: 5.39.0-1.2build1 commands: netwox name: neurodebian version: 0.37.6 commands: nd-configurerepo name: neurodebian-desktop version: 0.37.6 commands: nd-autoinstall name: neurodebian-dev version: 0.37.6 commands: backport-dsc,nd_adddist,nd_adddistall,nd_apachelogs2subscriptionstats,nd_backport,nd_build,nd_build4all,nd_build4allnd,nd_build4debianmain,nd_build_testrdepends,nd_execute,nd_fetch_bdepends,nd_gitbuild,nd_login,nd_popcon2stats,nd_querycfg,nd_rebuildarchive,nd_updateall,nd_updatedist,nd_verifymirrors name: neutron-lbaasv2-agent version: 2:12.0.0-0ubuntu1 commands: neutron-lbaasv2-agent name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1 commands: neutron-sriov-nic-agent name: neverball version: 1.6.0-8 commands: mapc,neverball name: neverputt version: 1.6.0-8 commands: neverputt name: newlisp version: 10.7.1-1 commands: newlisp,newlispdoc name: newmail version: 0.5-2build1 commands: newmail name: newpid version: 9 commands: newnet,newpid name: newrole version: 2.7-1 commands: newrole,open_init_pty,run_init name: newsbeuter version: 2.9-7 commands: newsbeuter,podbeuter name: newsboat version: 2.10.2-3 commands: newsboat,podboat name: nexuiz version: 2.5.2+dp-7 commands: nexuiz name: nexuiz-server version: 2.5.2+dp-7 commands: nexuiz-server name: nexus-tools version: 4.3.2-svn1921-6 commands: nxbrowse,nxconvert,nxdir,nxsummary,nxtranslate name: nfacct version: 1.0.2-1 commands: nfacct name: nfct version: 1:1.4.4+snapshot20161117-6ubuntu2 commands: nfct name: nfdump version: 1.6.16-3 commands: nfanon,nfcapd,nfdump,nfexpire,nfprofile,nfreplay,nftrack name: nfdump-flow-tools version: 1.6.16-3 commands: ft2nfdump name: nfdump-sflow version: 1.6.16-3 commands: sfcapd name: nfoview version: 1.23-1 commands: nfoview name: nfs-ganesha version: 2.6.0-2 commands: ganesha.nfsd name: nfs-ganesha-mount-9p version: 2.6.0-2 commands: mount.9P name: nfs4-acl-tools version: 0.3.3-3 commands: nfs4_editfacl,nfs4_getfacl,nfs4_setfacl name: nfstrace version: 0.4.3.1-3 commands: nfstrace name: nfswatch version: 4.99.11-3build2 commands: nfslogsum,nfswatch name: nftables version: 0.8.2-1 commands: nft name: ng-cjk version: 1.5~beta1-4 commands: ng-cjk name: ng-cjk-canna version: 1.5~beta1-4 commands: ng-cjk-canna name: ng-common version: 1.5~beta1-4 commands: editor,ng name: ng-latin version: 1.5~beta1-4 commands: ng-latin name: ng-utils version: 1.0-1build1 commands: innetgr,netgroup name: ngetty version: 1.1-3 commands: ngetty,ngetty-argv,ngetty-helper name: nghttp2-client version: 1.30.0-1ubuntu1 commands: h2load,nghttp name: nghttp2-proxy version: 1.30.0-1ubuntu1 commands: nghttpx name: nghttp2-server version: 1.30.0-1ubuntu1 commands: nghttpd name: nginx-extras version: 1.14.0-0ubuntu1 commands: nginx name: nginx-full version: 1.14.0-0ubuntu1 commands: nginx name: nginx-light version: 1.14.0-0ubuntu1 commands: nginx name: ngircd version: 24-2 commands: ngircd name: nglister version: 1.0.2 commands: nglister name: ngraph-gtk version: 6.07.02-2build3 commands: ngp2,ngraph name: ngrep version: 1.47+ds1-1 commands: ngrep name: nheko version: 0.0+git20171116.21fdb26-2 commands: nheko name: niceshaper version: 1.2.4-1 commands: niceshaper name: nickle version: 2.81-1 commands: nickle name: nicotine version: 1.2.16+dfsg-1.1 commands: nicotine,nicotine-import-winconfig name: nicovideo-dl version: 0.0.20120212-3 commands: nicovideo-dl name: nield version: 0.6.1-2 commands: nield name: nifti-bin version: 2.0.0-2build1 commands: nifti1_test,nifti_stats,nifti_tool name: nifti2dicom version: 0.4.11-1ubuntu8 commands: nifti2dicom name: nigiri version: 1.4.0+git20160822+dfsg-4 commands: nigiri name: nik4 version: 1.6-3 commands: nik4 name: nikwi version: 0.0.20120213-4 commands: nikwi name: nilfs-tools version: 2.2.6-1 commands: chcp,dumpseg,lscp,lssu,mkcp,mkfs.nilfs2,mount.nilfs2,nilfs-clean,nilfs-resize,nilfs-tune,nilfs_cleanerd,rmcp,umount.nilfs2 name: ninix-aya version: 5.0.4-1 commands: ninix name: ninja-build version: 1.8.2-1 commands: ninja name: ninja-ide version: 2.3-2 commands: ninja-ide name: ninka version: 1.3.2-1 commands: ninka name: ninka-backend-excel version: 1.3.2-1 commands: ninka-excel name: ninka-backend-sqlite version: 1.3.2-1 commands: ninka-sqlite name: ninvaders version: 0.1.1-3build2 commands: nInvaders,ninvaders name: nip2 version: 8.4.0-1build2 commands: nip2 name: nis version: 3.17.1-1build1 commands: rpc.yppasswdd,rpc.ypxfrd,ypbind,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,yppush,ypserv,ypserv_test,ypset,yptest,ypwhich name: nitpic version: 0.1-16build1 commands: nitpic name: nitrogen version: 1.6.1-2 commands: nitrogen name: nitrokey-app version: 1.2.1-1 commands: nitrokey-app name: nitroshare version: 0.3.3-1 commands: nitroshare name: nixnote2 version: 2.0.2-2build1 commands: nixnote2 name: nixstatsagent version: 1.1.32-2 commands: nixstatsagent,nixstatshello name: njam version: 1.25-9fakesync1build1 commands: njam name: njplot version: 2.4-7 commands: newicktops,newicktotxt,njplot,unrooted name: nkf version: 1:2.1.4-1ubuntu2 commands: nkf name: nlkt version: 0.3.2.6-2 commands: nlkt name: nload version: 0.7.4-2 commands: nload name: nm-tray version: 0.3.0-0ubuntu1 commands: nm-tray name: nmapsi4 version: 0.5~alpha1-2 commands: nmapsi4 name: nmh version: 1.7.1~RC3-1build1 commands: ,ali,anno,burst,comp,dist,flist,flists,fmttest,fnext,folder,folders,forw,fprev,inc,install-mh,mark,mhbuild,mhfixmsg,mhical,mhlist,mhlogin,mhmail,mhn,mhparam,mhpath,mhshow,mhstore,msgchk,new,next,packf,pick,prev,prompter,refile,repl,rmf,rmm,scan,send,sendfiles,show,sortm,unseen,whatnow,whom name: nml version: 0.4.4-1build3 commands: nmlc name: nmon version: 16g+debian-3 commands: nmon name: nmzmail version: 1.1-2build1 commands: nmzmail name: nn version: 6.7.3-10build2 commands: nn,nnadmin,nnbatch,nncheck,nngoback,nngrab,nngrep,nnpost,nnstats,nntidy,nnusage,nnview name: nnn version: 1.7-1 commands: nlay,nnn name: noblenote version: 1.0.8-1 commands: noblenote name: nocache version: 1.0-1 commands: cachedel,cachestats,nocache name: nodau version: 0.3.8-1build1 commands: nodau name: node-acorn version: 5.4.1+ds1-1 commands: acorn name: node-babel-cli version: 6.26.0+dfsg-3build6 commands: babeljs,babeljs-external-helpers,babeljs-node name: node-babylon version: 6.18.0-2build3 commands: babylon name: node-brfs version: 1.4.4-1 commands: brfs name: node-browser-pack version: 6.0.4+ds-1 commands: browser-pack name: node-browser-unpack version: 1.2.0-1 commands: browser-unpack name: node-browserify-lite version: 0.5.0-1ubuntu1 commands: browserify-lite name: node-browserslist version: 2.11.3-1build4 commands: browserslist name: node-buble version: 0.19.3-1 commands: buble name: node-carto version: 0.9.5-2 commands: carto,mml2json name: node-coveralls version: 3.0.0-2 commands: node-coveralls name: node-cpr version: 2.0.0-2 commands: cpr name: node-crc32 version: 0.2.2-2 commands: crc32js name: node-deflate-js version: 0.2.3-1 commands: deflate-js,inflate-js name: node-dot version: 1.1.1-1 commands: dottojs name: node-es6-module-transpiler version: 0.10.0-2 commands: compile-modules name: node-escodegen version: 1.8.1+dfsg-2 commands: escodegen,esgenerate name: node-esprima version: 4.0.0+ds-2 commands: esparse,esvalidate name: node-express-generator version: 4.0.0-2 commands: express name: node-flashproxy version: 1.7-4 commands: flashproxy name: node-grunt-cli version: 1.2.0-3 commands: grunt name: node-gyp version: 3.6.2-1ubuntu1 commands: node-gyp name: node-he version: 1.1.1-1 commands: he name: node-jade version: 1.5.0+dfsg-1 commands: jadejs name: node-jake version: 0.7.9-1 commands: jake name: node-jison-lex version: 0.3.4-2 commands: jison-lex name: node-js-beautify version: 1.7.5+dfsg-1 commands: css-beautify,html-beautify,js-beautify name: node-js-yaml version: 3.10.0+dfsg-1 commands: js-yaml name: node-jsesc version: 2.5.1-1 commands: jsesc name: node-json2module version: 0.0.3-1 commands: json2module name: node-json5 version: 0.5.1-1 commands: json5 name: node-jsonstream version: 1.3.1-1 commands: JSONStream name: node-katex version: 0.8.3+dfsg-1 commands: katex name: node-less version: 1.6.3~dfsg-2 commands: lessc name: node-loose-envify version: 1.3.1+dfsg1-1 commands: loose-envify name: node-mapnik version: 3.7.1+dfsg-3 commands: mapnik-inspect name: node-marked version: 0.3.9+dfsg-1 commands: marked name: node-marked-man version: 0.3.0-2 commands: marked-man name: node-millstone version: 0.6.8-1 commands: millstone name: node-module-deps version: 4.1.1-1 commands: module-deps name: node-mustache version: 2.3.0-2 commands: mustache.js name: node-npmrc version: 1.1.1-1 commands: npmrc name: node-opener version: 1.4.3-1 commands: opener name: node-package-preamble version: 0.1.0-1 commands: preamble name: node-pegjs version: 0.7.0-2 commands: pegjs name: node-po2json version: 0.4.5-1 commands: node-po2json name: node-pre-gyp version: 0.6.32-1ubuntu1 commands: node-pre-gyp name: node-regjsparser version: 0.3.0+ds-1 commands: regjsparser name: node-rimraf version: 2.6.2-1 commands: rimraf name: node-semver version: 5.4.1-1 commands: semver name: node-shelljs version: 0.7.5-1 commands: shjs name: node-smash version: 0.0.15-1 commands: smash name: node-sshpk version: 1.13.1+dfsg-1 commands: sshpk-conv,sshpk-sign,sshpk-verify name: node-static version: 0.7.3-1 commands: node-static name: node-stylus version: 0.54.5-1ubuntu1 commands: stylus name: node-tacks version: 1.2.6-1 commands: tacks name: node-tap version: 11.0.0+ds1-2 commands: tap name: node-tap-mocha-reporter version: 3.0.6-2 commands: tap-mocha-reporter name: node-tap-parser version: 7.0.0+ds1-1 commands: tap-parser name: node-tape version: 4.6.3-1 commands: tape name: node-tilelive version: 4.5.0-1 commands: tilelive-copy name: node-typescript version: 2.7.2-1 commands: tsc name: node-uglify version: 2.8.29-3 commands: uglifyjs name: node-umd version: 3.0.1+ds-1 commands: umd name: node-vows version: 0.8.1-3 commands: vows name: node-ws version: 1.1.0+ds1.e6ddaae4-3ubuntu1 commands: wscat name: nodeenv version: 0.13.4-1 commands: nodeenv name: nodejs version: 8.10.0~dfsg-2 commands: js,node,nodejs name: nodejs-dev version: 8.10.0~dfsg-2 commands: dh_nodejs name: nodeunit version: 0.10.2-1 commands: nodeunit name: nodm version: 0.13-1.3 commands: nodm name: noiz2sa version: 0.51a-10.1 commands: noiz2sa name: nomacs version: 3.8.0+dfsg-4 commands: nomacs name: nomarch version: 1.4-3build1 commands: nomarch name: nomnom version: 0.3.1-2build1 commands: nomnom name: nootka version: 1.2.0-0ubuntu3 commands: nootka name: nordlicht version: 0.4.5-1 commands: nordlicht name: nordugrid-arc-arex version: 5.4.2-1build1 commands: a-rex-backtrace-collect name: nordugrid-arc-client version: 5.4.2-1build1 commands: arccat,arcclean,arccp,arcecho,arcget,arcinfo,arckill,arcls,arcmkdir,arcproxy,arcrename,arcrenew,arcresub,arcresume,arcrm,arcstat,arcsub,arcsync,arctest name: nordugrid-arc-dev version: 5.4.2-1build1 commands: arcplugin,wsdl2hed name: nordugrid-arc-egiis version: 5.4.2-1build1 commands: arc-infoindex-relay,arc-infoindex-server name: nordugrid-arc-gridftpd version: 5.4.2-1build1 commands: gridftpd name: nordugrid-arc-gridmap-utils version: 5.4.2-1build1 commands: nordugridmap name: nordugrid-arc-hed version: 5.4.2-1build1 commands: arched name: nordugrid-arc-misc-utils version: 5.4.2-1build1 commands: arcemiestest,arcperftest,arcwsrf,saml_assertion_init name: normaliz-bin version: 3.5.1+ds-4 commands: normaliz name: normalize-audio version: 0.7.7-14 commands: normalize-audio,normalize-mp3,normalize-ogg name: norsnet version: 1.0.17-3 commands: norsnet name: norsp version: 1.0.6-3 commands: norsp name: notary version: 0.1~ds1-1 commands: notary,notary-server name: note version: 1.3.22-2 commands: note name: notebook-gtk2 version: 0.2rel-3 commands: notebook-gtk2 name: notmuch version: 0.26-1ubuntu3 commands: notmuch,notmuch-emacs-mua name: notmuch-addrlookup version: 9-1 commands: notmuch-addrlookup name: notmuch-mutt version: 0.26-1ubuntu3 commands: notmuch-mutt name: nova-api-metadata version: 2:17.0.1-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.1-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.1-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.1-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.1-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.1-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.1-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.1-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.1-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.1-0ubuntu1 commands: nova-xvpvncproxy name: noweb version: 2.11b-11 commands: cpif,htmltoc,nodefs,noindex,noroff,noroots,notangle,nountangle,noweave,noweb,nuweb2noweb,sl2h name: npd6 version: 1.1.0-1 commands: npd6 name: npm version: 3.5.2-0ubuntu4 commands: npm name: npm2deb version: 0.2.7-6 commands: npm2deb name: nq version: 0.2.2-2 commands: fq,nq,tq name: nqc version: 3.1.r6-7 commands: nqc name: nqp version: 2018.03+dfsg-2 commands: nqp,nqp-m name: nrefactory-samples version: 5.3.0+20130718.73b6d0f-4 commands: nrefactory-demo-gtk,nrefactory-demo-swf name: nrg2iso version: 0.4-4build1 commands: nrg2iso name: nrpe-ng version: 0.2.0-1 commands: nrpe-ng name: nrss version: 0.3.9-1build2 commands: nrss name: ns3 version: 3.27+dfsg-1 commands: ns3.27-bench-packets,ns3.27-bench-simulator,ns3.27-print-introspected-doxygen,ns3.27-raw-sock-creator,ns3.27-tap-creator,ns3.27-tap-device-creator name: nsca version: 2.9.2-1 commands: nsca name: nsca-client version: 2.9.2-1 commands: send_nsca name: nsca-ng-client version: 1.5-2build2 commands: send_nsca name: nsca-ng-server version: 1.5-2build2 commands: nsca-ng name: nscd version: 2.27-3ubuntu1 commands: nscd name: nsd version: 4.1.17-1build1 commands: nsd,nsd-checkconf,nsd-checkzone,nsd-control,nsd-control-setup name: nsf-shells version: 2.1.0-4 commands: nxsh,nxwish,xotclsh,xowish name: nsis version: 2.51-1 commands: GenPat,LibraryLocal,genpat,makensis name: nslcd version: 0.9.9-1 commands: nslcd name: nslcd-utils version: 0.9.9-1 commands: chsh.ldap,getent.ldap name: nslint version: 3.0a2-1.1build1 commands: nslint name: nsnake version: 3.0.1-2build2 commands: nsnake name: nsntrace version: 0~20160806-1ubuntu1 commands: nsntrace name: nss-passwords version: 0.2-2build1 commands: nss-passwords name: nss-updatedb version: 10-3build1 commands: nss_updatedb name: nsscache version: 0.34-2ubuntu1 commands: nsscache name: nstreams version: 1.0.4-1build1 commands: nstreams name: ntdb-tools version: 1.0-9build1 commands: ntdbbackup,ntdbdump,ntdbrestore,ntdbtool name: nted version: 1.10.18-12 commands: nted name: ntfs-config version: 1.0.1-11 commands: ntfs-config,ntfs-config-root name: ntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: calc_tickadj,ntp-keygen,ntp-wait,ntpd,ntpdc,ntpq,ntpsweep,ntptime,ntptrace,update-leap name: ntpdate version: 1:4.2.8p10+dfsg-5ubuntu7 commands: ntpdate,ntpdate-debian name: ntpsec version: 1.1.0+dfsg1-1 commands: ntpd,ntpkeygen,ntpleapfetch,ntpmon,ntpq,ntptime,ntptrace,ntpwait name: ntpsec-ntpdate version: 1.1.0+dfsg1-1 commands: ntpdate,ntpdate-debian,ntpdig name: ntpsec-ntpviz version: 1.1.0+dfsg1-1 commands: ntploggps,ntplogtemp,ntpviz name: ntpstat version: 0.0.0.1-1build1 commands: ntpstat name: nudoku version: 0.2.5-1 commands: nudoku name: nuget version: 2.8.7+md510+dhx1-1 commands: nuget name: nuitka version: 0.5.28.2+ds-1 commands: nuitka,nuitka-run name: nullidentd version: 1.0-5build1 commands: nullidentd name: nullmailer version: 1:2.1-5 commands: mailq,newaliases,nullmailer-dsn,nullmailer-inject,nullmailer-queue,nullmailer-send,nullmailer-smtpd,sendmail name: num-utils version: 0.5-12 commands: numaverage,numbound,numgrep,numinterval,numnormalize,numprocess,numrandom,numrange,numround,numsum name: numad version: 0.5+20150602-5 commands: numad name: numbers2ods version: 0.9.6-1 commands: numbers2ods name: numconv version: 2.7-1.1ubuntu2 commands: numconv name: numdiff version: 5.9.0-1 commands: ndselect,numdiff name: numlockx version: 1.2-7ubuntu1 commands: numlockx name: numptyphysics version: 0.2+svn157-0.3build1 commands: numptyphysics name: numpy-stl version: 2.3.2-1 commands: stl,stl2ascii,stl2bin name: nunit-console version: 2.6.4+dfsg-1 commands: nunit-console name: nunit-gui version: 2.6.4+dfsg-1 commands: nunit-gui name: nuntius version: 0.2.0-3 commands: nuntius,qrtest name: nut-monitor version: 2.7.4-5.1ubuntu2 commands: NUT-Monitor name: nutcracker version: 0.4.1+dfsg-1 commands: nutcracker name: nutsqlite version: 1.9.9.6-1 commands: nut,update-nut name: nuttcp version: 6.1.2-4build1 commands: nuttcp name: nuxwdog version: 1.0.3-4 commands: nuxwdog name: nvi version: 1.81.6-13 commands: editor,ex,nex,nvi,nview,vi,view name: nvme-cli version: 1.5-1 commands: nvme name: nvptx-tools version: 0.20180301-1 commands: nvptx-none-ar,nvptx-none-as,nvptx-none-ld,nvptx-none-ranlib name: nwall version: 1.32+debian-4.2build1 commands: nwall name: nwipe version: 0.24-1 commands: nwipe name: nwrite version: 1.9.2-20.1build1 commands: nwrite,write name: nxagent version: 2:3.5.99.16-1 commands: nxagent name: nxproxy version: 2:3.5.99.16-1 commands: nxproxy name: nxt-firmware version: 1.29-20120908+dfsg-7 commands: nxt-update-firmware name: nyancat version: 1.5.1-1 commands: nyancat name: nyancat-server version: 1.5.1-1 commands: nyancat-server name: nypatchy version: 20061220+dfsg3-4.3ubuntu1 commands: fcasplit,nycheck,nydiff,nyindex,nylist,nymerge,nypatchy,nyshell,nysynopt,nytidy,yexpand,ypatchy name: nyquist version: 3.12+ds-3 commands: jny,ny name: nyx version: 2.0.4-3 commands: nyx name: nzb version: 0.2-1.1 commands: nzb name: nzbget version: 19.1+dfsg-1build1 commands: nzbget name: oaklisp version: 1.3.6-2build1 commands: oaklisp name: oar-common version: 2.5.7-3 commands: oarcp,oarnodesetting,oarprint,oarsh name: oar-node version: 2.5.7-3 commands: oarnodechecklist,oarnodecheckquery name: oar-server version: 2.5.7-3 commands: Almighty,oar-database,oar-server,oar_phoenix,oar_resources_add,oar_resources_init,oaraccounting,oaradmissionrules,oarmonitor,oarnotify,oarproperty,oarremoveresource name: oar-user version: 2.5.7-3 commands: oardel,oarhold,oarmonitor_graph_gen,oarnodes,oarresume,oarstat,oarsub name: oasis version: 0.4.10-2build1 commands: oasis name: oathtool version: 2.6.1-1 commands: oathtool name: obconf version: 1:2.0.4+git20150213-2 commands: obconf name: obconf-qt version: 0.12.0-3 commands: obconf-qt name: obdgpslogger version: 0.16-1.3build1 commands: obd2csv,obd2gpx,obd2kml,obdgpslogger,obdgui,obdlogrepair,obdsim name: obex-data-server version: 0.4.6-1 commands: obex-data-server,ods-server name: obexfs version: 0.11-2build1 commands: obexautofs,obexfs name: obexftp version: 0.24-5build4 commands: obexftp,obexftpd,obexget,obexls,obexput,obexrm name: obexpushd version: 0.11.2-1.1build2 commands: obex-folder-listing,obexpush_atd,obexpushd name: obfs4proxy version: 0.0.7-2 commands: obfs4proxy name: obfsproxy version: 0.2.13-3 commands: obfsproxy name: objcryst-fox version: 1.9.6.0-2.1build1 commands: fox name: obmenu version: 1.0-4 commands: obm-dir,obm-moz,obm-nav,obm-xdg,obmenu name: obs-build version: 20170201-3 commands: obs-build,obs-buildvc,unrpm name: obs-productconverter version: 2.7.4-2 commands: obs_productconvert name: obs-server version: 2.7.4-2 commands: obs_admin,obs_serverstatus name: obs-utils version: 2.7.4-2 commands: obs_mirror_project,obs_project_update name: obsession version: 20140608-2build1 commands: obsession-exit,obsession-logout,xdg-autostart name: ocaml-base-nox version: 4.05.0-10ubuntu1 commands: ocamlrun name: ocaml-findlib version: 1.7.3-2 commands: ocamlfind name: ocaml-interp version: 4.05.0-10ubuntu1 commands: ocaml name: ocaml-melt version: 1.4.0-2build1 commands: latop,meltbuild,meltpp name: ocaml-mode version: 4.05.0-10ubuntu1 commands: ocamltags name: ocaml-nox version: 4.05.0-10ubuntu1 commands: ocamlc,ocamlc.byte,ocamlc.opt,ocamlcp,ocamlcp.byte,ocamlcp.opt,ocamldebug,ocamldep,ocamldep.byte,ocamldep.opt,ocamldoc,ocamldoc.opt,ocamldumpobj,ocamllex,ocamllex.byte,ocamllex.opt,ocamlmklib,ocamlmklib.byte,ocamlmklib.opt,ocamlmktop,ocamlmktop.byte,ocamlmktop.opt,ocamlobjinfo,ocamlobjinfo.byte,ocamlobjinfo.opt,ocamlopt,ocamlopt.byte,ocamlopt.opt,ocamloptp,ocamloptp.byte,ocamloptp.opt,ocamlprof,ocamlprof.byte,ocamlprof.opt,ocamlyacc name: ocaml-tools version: 20120103-5 commands: ocamldot name: ocamlbuild version: 0.11.0-3build1 commands: ocamlbuild name: ocamldsort version: 0.16.0-5build1 commands: ocamldsort name: ocamlgraph-editor version: 1.8.6-1build5 commands: ocamlgraph-editor,ocamlgraph-editor.byte,ocamlgraph-viewer,ocamlgraph-viewer.byte name: ocamlify version: 0.0.2-5 commands: ocamlify name: ocamlmod version: 0.0.8-2build1 commands: ocamlmod name: ocamlviz version: 1.01-2build7 commands: ocamlviz-ascii,ocamlviz-gui name: ocamlwc version: 0.3-14 commands: ocamlwc name: ocamlweb version: 1.39-6 commands: ocamlweb name: oce-draw version: 0.18.2-2build1 commands: DRAWEXE name: oclgrind version: 16.10-3 commands: oclgrind,oclgrind-kernel name: ocp-indent version: 1.5.3-2build1 commands: ocp-indent name: ocproxy version: 1.60-1build1 commands: ocproxy,vpnns name: ocrad version: 0.25-2build1 commands: ocrad name: ocrfeeder version: 0.8.1-4 commands: ocrfeeder,ocrfeeder-cli name: ocrmypdf version: 6.1.2-1ubuntu1 commands: ocrmypdf name: ocrodjvu version: 0.10.2-1 commands: djvu2hocr,hocr2djvused,ocrodjvu name: ocserv version: 0.11.9-1build1 commands: occtl,ocpasswd,ocserv,ocserv-fw name: ocsinventory-agent version: 2:2.0.5-1.2 commands: ocsinventory-agent name: octave version: 4.2.2-1ubuntu1 commands: octave,octave-cli name: octave-pkg-dev version: 2.0.1 commands: make-octave-forge-debpkg name: octocatalog-diff version: 1.5.3-1 commands: octocatalog-diff name: octomap-tools version: 1.8.1+dfsg-1 commands: binvox2bt,bt2vrml,compare_octrees,convert_octree,edit_octree,eval_octree_accuracy,graph2tree,log2graph name: octopussy version: 1.0.6-0ubuntu2 commands: octo_commander,octo_data,octo_dispatcher,octo_extractor,octo_extractor_fields,octo_logrotate,octo_msg_finder,octo_parser,octo_pusher,octo_replay,octo_reporter,octo_rrd,octo_scheduler,octo_sender,octo_statistic_reporter,octo_syslog2iso8601,octo_tool,octo_uparser,octo_world_stats,octopussy name: octovis version: 1.8.1+dfsg-1 commands: octovis name: odb version: 2.4.0-6 commands: odb name: oddjob version: 0.34.3-4 commands: oddjob_request,oddjobd name: odil version: 0.8.0-4build1 commands: odil name: odot version: 1.3.0-0.1 commands: odot name: ods2tsv version: 0.4.13-2 commands: ods2tsv name: odt2txt version: 0.5-1build2 commands: odp2txt,ods2txt,odt2txt,odt2txt.odt2txt,sxw2txt name: oem-config-remaster version: 18.04.14 commands: oem-config-remaster name: offlineimap version: 7.1.5+dfsg1-1 commands: offlineimap name: ofono version: 1.21-1ubuntu1 commands: ofonod name: ofono-phonesim version: 1.20-1ubuntu7 commands: ofono-phonesim,with-ofono-phonesim name: ofx version: 1:0.9.12-1 commands: ofx2qif,ofxconnect,ofxdump name: ofxstatement version: 0.6.1-1 commands: ofxstatement name: ogamesim version: 1.18-3 commands: ogamesim name: ogdi-bin version: 3.2.0+ds-2 commands: gltpd,ogdi_import,ogdi_info name: oggfwd version: 0.2-6build1 commands: oggfwd name: oggz-tools version: 1.1.1-6 commands: oggz,oggz-chop,oggz-codecs,oggz-comment,oggz-diff,oggz-dump,oggz-info,oggz-known-codecs,oggz-merge,oggz-rip,oggz-scan,oggz-sort,oggz-validate name: ogmrip version: 1.0.1-1build2 commands: avibox,dvdcpy,ogmrip,subp2pgm,subp2png,subp2tiff,subptools,theoraenc name: ogmtools version: 1:1.5-4 commands: dvdxchap,ogmcat,ogmdemux,ogminfo,ogmmerge,ogmsplit name: ogre-1.9-tools version: 1.9.0+dfsg1-10 commands: OgreMeshUpgrader,OgreXMLConverter name: ohai version: 8.21.0-1 commands: ohai name: ohcount version: 3.1.0-2 commands: ohcount name: oidentd version: 2.0.8-10 commands: oidentd name: oidua version: 0.16.1-9 commands: oidua name: oinkmaster version: 2.0-4 commands: oinkmaster name: okteta version: 4:17.12.3-0ubuntu1 commands: okteta,struct2osd name: okular version: 4:17.12.3-0ubuntu1 commands: okular name: ola version: 0.10.5.nojsmin-3 commands: ola_artnet,ola_dev_info,ola_dmxconsole,ola_dmxmonitor,ola_e131,ola_patch,ola_plugin_info,ola_plugin_state,ola_rdm_discover,ola_rdm_get,ola_rdm_set,ola_recorder,ola_set_dmx,ola_set_priority,ola_streaming_client,ola_timecode,ola_trigger,ola_uni_info,ola_uni_merge,ola_uni_name,ola_uni_stats,ola_usbpro,olad,rdmpro_sniffer,usbpro_firmware name: ola-rdm-tests version: 0.10.5.nojsmin-3 commands: rdm_model_collector.py,rdm_responder_test.py,rdm_test_server.py name: olpc-kbdshim version: 27-1build2 commands: olpc-brightness,olpc-kbdshim-udev,olpc-rotate,olpc-volume name: olpc-powerd version: 23-2build1 commands: olpc-nosleep,olpc-switchd,pnmto565fb,powerd,powerd-config name: olsrd version: 0.6.6.2-1ubuntu1 commands: olsr_switch,olsrd,olsrd-adhoc-setup,sgw_policy_routing_setup.sh name: olsrd-gui version: 0.6.6.2-1ubuntu1 commands: olsrd-gui name: omake version: 0.9.8.5-3-9build2 commands: omake,osh name: omega-rpg version: 1:0.90-pa9-16 commands: omega-rpg name: omhacks version: 0.16-1 commands: om,om-led name: omnievents version: 1:2.6.2-5build1 commands: eventc,eventf,events,omniEvents,rmeventc name: omniidl version: 4.2.2-0.8 commands: omnicpp,omniidl name: omniorb version: 4.2.2-0.8 commands: catior,convertior,genior,nameclt,omniMapper name: omniorb-nameserver version: 4.2.2-0.8 commands: omniNames name: ompl-demos version: 1.2.1+ds1-1build1 commands: ompl_benchmark_statistics name: onak version: 0.5.0-1 commands: keyd,keydctl,onak,splitkeys name: onboard version: 1.4.1-2ubuntu1 commands: onboard,onboard-settings name: ondir version: 0.2.3+git0.55279f03-1 commands: ondir name: oneisenough version: 0.40-3 commands: oneisenough name: oneko version: 1.2.sakura.6-13 commands: oneko name: oneliner-el version: 0.3.6-8 commands: el name: onesixtyone version: 0.3.2-1build1 commands: onesixtyone name: onetime version: 1.122-1 commands: onetime name: onionbalance version: 0.1.8-3 commands: onionbalance,onionbalance-config name: onioncat version: 0.2.2+svn569-2 commands: gcat,ocat name: onioncircuits version: 0.5-2 commands: onioncircuits name: onscripter version: 20170814-1 commands: nsaconv,nsadec,onscripter,onscripter-1byte,sardec name: ooniprobe version: 2.2.0-1.1 commands: oonideckgen,ooniprobe,ooniprobe-agent,oonireport,ooniresources name: ooo-thumbnailer version: 0.2-5ubuntu1 commands: ooo-thumbnailer name: ooo2dbk version: 2.1.0-1.1 commands: ole2img name: opam version: 1.2.2-6 commands: opam,opam-admin,opam-installer name: opari version: 1.1+dfsg-5 commands: opari name: opari2 version: 2.0.2-3 commands: opari2 name: open-adventure version: 1.4+git20170917.0.d512384-2 commands: advent name: open-coarrays-bin version: 2.0.0~rc1-2 commands: caf,cafrun name: open-cobol version: 1.1-2 commands: cob-config,cobc,cobcrun name: open-infrastructure-container-tools version: 20180218-2 commands: cnt,cntsh,container,container-nsenter,container-shell name: open-infrastructure-package-tracker version: 20170515-3 commands: package-tracker name: open-infrastructure-storage-tools version: 20171101-2 commands: ceph-dns,ceph-info,ceph-log,ceph-remove-osd,cephfs-snap name: open-infrastructure-system-boot version: 20161101-lts2-1 commands: live-boot name: open-infrastructure-system-build version: 20161101-lts2-2 commands: lb,live-build name: open-infrastructure-system-config version: 20161101-lts1-2 commands: live-config name: open-invaders version: 0.3-4.3 commands: open-invaders name: open-isns-discoveryd version: 0.97-2build1 commands: isnsdd name: open-isns-server version: 0.97-2build1 commands: isnsd name: open-isns-utils version: 0.97-2build1 commands: isnsadm name: open-jtalk version: 1.10-2 commands: open_jtalk name: openafs-client version: 1.8.0~pre5-1 commands: afs-up,afsd,afsio,afsmonitor,backup,bos,butc,cmdebug,fms,fs,fstrace,livesys,pagsh,pagsh.openafs,pts,restorevol,rmtsysd,rxdebug,scout,sys,tokens,translate_et,udebug,unlog,vos,xstat_cm_test,xstat_fs_test name: openafs-dbserver version: 1.8.0~pre5-1 commands: afs-newcell,afs-rootvol,prdb_check,pt_util,read_tape,vldb_check name: openafs-fileserver version: 1.8.0~pre5-1 commands: bos_util,bosserver,dafssync-debug,fssync-debug,salvsync-debug,state_analyzer,voldump,volinfo,volscan name: openafs-fuse version: 1.8.0~pre5-1 commands: afsd.fuse name: openafs-krb5 version: 1.8.0~pre5-1 commands: akeyconvert,aklog,asetkey,klog,klog.krb5 name: openal-info version: 1:1.18.2-2 commands: openal-info name: openalpr version: 2.3.0-1build4 commands: alpr name: openalpr-daemon version: 2.3.0-1build4 commands: alprd name: openalpr-utils version: 2.3.0-1build4 commands: openalpr-utils-benchmark,openalpr-utils-calibrate,openalpr-utils-classifychars,openalpr-utils-prepcharsfortraining,openalpr-utils-tagplates name: openambit version: 0.3-1 commands: openambit name: openarena version: 0.8.8+dfsg-1 commands: openarena name: openarena-server version: 0.8.8+dfsg-1 commands: openarena-server name: openbabel version: 2.3.2+dfsg-3build1 commands: babel,obabel,obchiral,obconformer,obenergy,obfit,obgen,obgrep,obminimize,obprobe,obprop,obrms,obrotamer,obrotate,obspectrophore name: openbabel-gui version: 2.3.2+dfsg-3build1 commands: obgui name: openbox version: 3.6.1-7 commands: gdm-control,obamenu,obxprop,openbox,openbox-session,x-session-manager,x-window-manager name: openbox-gnome-session version: 3.6.1-7 commands: openbox-gnome-session name: openbox-kde-session version: 3.6.1-7 commands: openbox-kde-session name: openbox-lxde-session version: 0.99.2-3 commands: lxde-logout,openbox-lxde,startlxde,x-session-manager name: openbox-menu version: 0.8.0+hg20161009-1 commands: openbox-menu name: openbsd-inetd version: 0.20160825-3 commands: inetd name: opencaster version: 3.2.2+dfsg-1.1build1 commands: dsmcc-receive,eitsecactualtoanother,eitsecfilter,eitsecmapper,esaudio2pes,esaudioinfo,esvideompeg2info,esvideompeg2pes,file2mod,i13942ts,m2ts2cbrts,mod2sec,mpe2sec,oc-update,pes2es,pes2txt,pesaudio2ts,pesdata2ts,pesinfo,pesvideo2ts,sec2ts,ts2m2ts,ts2pes,ts2sec,tscbrmuxer,tsccc,tscrypt,tsdiscont,tsdoubleoutput,tsfilter,tsfixcc,tsinputswitch,tsloop,tsmask,tsmodder,tsnullfiller,tsnullshaper,tsororts,tsorts,tsoutputswitch,tspcrmeasure,tspcrrestamp,tspcrstamp,tspidmapper,tsstamp,tstcpreceive,tstcpsend,tstdt,tstimedwrite,tstimeout,tsudpreceive,tsudpsend,tsvbr2cbr,txt2pes,vbv,zpipe name: opencc version: 1.0.4-5 commands: opencc,opencc_dict,opencc_phrase_extract name: opencfu version: 3.9.0-2build2 commands: opencfu name: opencity version: 0.0.6.5stable-3 commands: opencity name: openclonk version: 8.0-2 commands: c4group,openclonk name: opencollada-tools version: 0.1.0~20160714.0ec5063+dfsg1-2 commands: opencolladavalidator name: opencolorio-tools version: 1.1.0~dfsg0-1 commands: ociobakelut,ociocheck,ocioconvert,ociolutimage name: openconnect version: 7.08-3 commands: openconnect name: opencryptoki version: 3.9.0+dfsg-0ubuntu1 commands: pkcscca,pkcsconf,pkcsep11_migrate,pkcsep11_session,pkcsicsf,pkcsslotd name: openctm-tools version: 1.0.3+dfsg1-1.1build3 commands: ctmconv,ctmviewer name: opencubicplayer version: 1:0.1.21-2 commands: ocp,ocp-curses,ocp-vcsa,ocp-x11 name: opendbx-utils version: 1.4.6-11 commands: odbx-sql,odbxplustest,odbxtest,odbxtest.master name: opendict version: 0.6.8-1 commands: opendict name: opendkim version: 2.11.0~alpha-11build1 commands: opendkim name: opendkim-tools version: 2.11.0~alpha-11build1 commands: convert_keylist,miltertest,opendkim-atpszone,opendkim-genkey,opendkim-genzone,opendkim-spam,opendkim-stats,opendkim-testkey,opendkim-testmsg name: opendmarc version: 1.3.2-3 commands: opendmarc,opendmarc-check,opendmarc-expire,opendmarc-import,opendmarc-importstats,opendmarc-params,opendmarc-reports name: opendnssec-common version: 1:2.1.3-0.2build1 commands: ods-control,ods-kasp2html name: opendnssec-enforcer-mysql version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-enforcer-sqlite3 version: 1:2.1.3-0.2build1 commands: ods-enforcer,ods-enforcer-db-setup,ods-enforcerd,ods-kaspcheck,ods-migrate name: opendnssec-signer version: 1:2.1.3-0.2build1 commands: ods-signer,ods-signerd name: openerp6.1-core version: 6.1-1+dfsg-0ubuntu4 commands: openerp-server name: openexr version: 2.2.0-11.1ubuntu1 commands: exrenvmap,exrheader,exrmakepreview,exrmaketiled,exrstdattr name: openexr-viewers version: 1.0.1-6build2 commands: exrdisplay name: openfoam version: 4.1+dfsg1-2 commands: DPMFoam,MPPICFoam,PDRFoam,PDRMesh,SRFPimpleFoam,SRFSimpleFoam,XiFoam,adiabaticFlameT,adjointShapeOptimizationFoam,ansysToFoam,applyBoundaryLayer,attachMesh,autoPatch,autoRefineMesh,blockMesh,boundaryFoam,boxTurb,buoyantBoussinesqPimpleFoam,buoyantBoussinesqSimpleFoam,buoyantPimpleFoam,buoyantSimpleFoam,cavitatingDyMFoam,cavitatingFoam,cfx4ToFoam,changeDictionary,checkMesh,chemFoam,chemkinToFoam,chtMultiRegionFoam,chtMultiRegionSimpleFoam,coalChemistryFoam,coldEngineFoam,collapseEdges,combinePatchFaces,compressibleInterDyMFoam,compressibleInterFoam,compressibleMultiphaseInterFoam,createBaffles,createExternalCoupledPatchGeometry,createPatch,datToFoam,decomposePar,deformedGeom,dnsFoam,driftFluxFoam,dsmcFoam,dsmcInitialise,electrostaticFoam,engineCompRatio,engineFoam,engineSwirl,equilibriumCO,equilibriumFlameT,extrude2DMesh,extrudeMesh,extrudeToRegionMesh,faceAgglomerate,financialFoam,fireFoam,flattenMesh,fluent3DMeshToFoam,fluentMeshToFoam,foamDataToFluent,foamDictionary,foamFormatConvert,foamHelp,foamList,foamListTimes,foamMeshToFluent,foamToEnsight,foamToEnsightParts,foamToGMV,foamToStarMesh,foamToSurface,foamToTetDualMesh,foamToVTK,foamUpgradeCyclics,gambitToFoam,gmshToFoam,icoFoam,icoUncoupledKinematicParcelDyMFoam,icoUncoupledKinematicParcelFoam,ideasUnvToFoam,insideCells,interDyMFoam,interFoam,interMixingFoam,interPhaseChangeDyMFoam,interPhaseChangeFoam,kivaToFoam,laplacianFoam,magneticFoam,mapFields,mapFieldsPar,mdEquilibrationFoam,mdFoam,mdInitialise,mergeMeshes,mergeOrSplitBaffles,mhdFoam,mirrorMesh,mixtureAdiabaticFlameT,modifyMesh,moveDynamicMesh,moveEngineMesh,moveMesh,mshToFoam,multiphaseEulerFoam,multiphaseInterDyMFoam,multiphaseInterFoam,netgenNeutralToFoam,noise,nonNewtonianIcoFoam,objToVTK,orientFaceZone,particleTracks,patchSummary,pdfPlot,pimpleDyMFoam,pimpleFoam,pisoFoam,plot3dToFoam,polyDualMesh,porousSimpleFoam,postChannel,postProcess,potentialFoam,potentialFreeSurfaceDyMFoam,potentialFreeSurfaceFoam,reactingFoam,reactingMultiphaseEulerFoam,reactingParcelFilmFoam,reactingParcelFoam,reactingTwoPhaseEulerFoam,reconstructPar,reconstructParMesh,redistributePar,refineHexMesh,refineMesh,refineWallLayer,refinementLevel,removeFaces,renumberMesh,rhoCentralDyMFoam,rhoCentralFoam,rhoPimpleDyMFoam,rhoPimpleFoam,rhoPorousSimpleFoam,rhoReactingBuoyantFoam,rhoReactingFoam,rhoSimpleFoam,rotateMesh,sammToFoam,scalarTransportFoam,selectCells,setFields,setSet,setsToZones,shallowWaterFoam,simpleFoam,simpleReactingParcelFoam,singleCellMesh,smapToFoam,snappyHexMesh,solidDisplacementFoam,solidEquilibriumDisplacementFoam,sonicDyMFoam,sonicFoam,sonicLiquidFoam,splitCells,splitMesh,splitMeshRegions,sprayDyMFoam,sprayEngineFoam,sprayFoam,star3ToFoam,star4ToFoam,steadyParticleTracks,stitchMesh,streamFunction,subsetMesh,surfaceAdd,surfaceAutoPatch,surfaceBooleanFeatures,surfaceCheck,surfaceClean,surfaceCoarsen,surfaceConvert,surfaceFeatureConvert,surfaceFeatureExtract,surfaceFind,surfaceHookUp,surfaceInertia,surfaceLambdaMuSmooth,surfaceMeshConvert,surfaceMeshConvertTesting,surfaceMeshExport,surfaceMeshImport,surfaceMeshInfo,surfaceMeshTriangulate,surfaceOrient,surfacePointMerge,surfaceRedistributePar,surfaceRefineRedGreen,surfaceSplitByPatch,surfaceSplitByTopology,surfaceSplitNonManifolds,surfaceSubset,surfaceToPatch,surfaceTransformPoints,temporalInterpolate,tetgenToFoam,thermoFoam,topoSet,transformPoints,twoLiquidMixingFoam,twoPhaseEulerFoam,uncoupledKinematicParcelFoam,viewFactorsGen,vtkUnstructuredToFoam,wallFunctionTable,wallHeatFlux,wdot,writeCellCentres,writeMeshObj,zipUpMesh name: openfortivpn version: 1.6.0-1build1 commands: openfortivpn name: opengcs version: 0.3.4+dfsg2-0ubuntu3 commands: exportSandbox,gcs,gcstools,netnscfg,remotefs,tar2vhd,udhcpc_config.script,vhd2tar name: openggsn version: 0.92-2 commands: ggsn,sgsnemu name: openguides version: 0.82-1 commands: openguides-setup-db name: openhpi-clients version: 3.6.1-3.1build1 commands: hpi_shell,hpialarms,hpidomain,hpiel,hpievents,hpifan,hpigensimdata,hpiinv,hpionIBMblade,hpipower,hpireset,hpisensor,hpisettime,hpithres,hpitop,hpitree,hpiwdt,hpixml,ohdomainlist,ohhandler,ohparam name: openimageio-tools version: 1.7.17~dfsg0-1ubuntu2 commands: iconvert,idiff,igrep,iinfo,iv,maketx,oiiotool name: openjade version: 1.4devel1-21.3 commands: openjade,openjade-1.4devel name: openjdk-8-jdk version: 8u162-b12-1 commands: appletviewer,jconsole name: openjdk-8-jdk-headless version: 8u162-b12-1 commands: extcheck,idlj,jar,jarsigner,javac,javadoc,javah,javap,jcmd,jdb,jdeps,jhat,jinfo,jmap,jps,jrunscript,jsadebugd,jstack,jstat,jstatd,native2ascii,rmic,schemagen,serialver,wsgen,wsimport,xjc name: openjdk-8-jre version: 8u162-b12-1 commands: policytool name: openjdk-8-jre-headless version: 8u162-b12-1 commands: java,jexec,jjs,keytool,orbd,pack200,rmid,rmiregistry,servertool,tnameserv,unpack200 name: openlp version: 2.4.6-1 commands: openlp name: openmcdf version: 1.5.4-3 commands: structuredstorageexplorer name: openmolar version: 1.0.15-gd81f9e5-1 commands: openmolar name: openmpi-bin version: 2.1.1-8 commands: mpiexec,mpiexec.openmpi,mpirun,mpirun.openmpi,ompi-clean,ompi-ps,ompi-server,ompi-top,ompi_info,orte-clean,orte-dvm,orte-ps,orte-server,orte-top,orted,orterun,oshmem_info,oshrun name: openmpt123 version: 0.3.6-1 commands: openmpt123 name: openmsx version: 0.14.0-2 commands: openmsx name: openmsx-catapult version: 0.14.0-1 commands: openmsx-catapult name: openmsx-debugger version: 0.1~git20170806-1 commands: openmsx-debugger name: openmx version: 3.7.6-2 commands: openmx name: opennebula version: 4.12.3+dfsg-3.1build1 commands: mm_sched,one,oned,onedb,tty_expect name: opennebula-context version: 4.14.0-1 commands: onegate,onegate.rb name: opennebula-flow version: 4.12.3+dfsg-3.1build1 commands: oneflow-server name: opennebula-gate version: 4.12.3+dfsg-3.1build1 commands: onegate-server name: opennebula-sunstone version: 4.12.3+dfsg-3.1build1 commands: econe-allocate-address,econe-associate-address,econe-attach-volume,econe-create-keypair,econe-create-volume,econe-delete-keypair,econe-delete-volume,econe-describe-addresses,econe-describe-images,econe-describe-instances,econe-describe-keypairs,econe-describe-volumes,econe-detach-volume,econe-disassociate-address,econe-reboot-instances,econe-register,econe-release-address,econe-run-instances,econe-server,econe-start-instances,econe-stop-instances,econe-terminate-instances,econe-upload,novnc-server,sunstone-server name: opennebula-tools version: 4.12.3+dfsg-3.1build1 commands: oneacct,oneacl,onecluster,onedatastore,oneflow,oneflow-template,onegroup,onehost,oneimage,onemarket,onesecgroup,oneshowback,onetemplate,oneuser,onevcenter,onevdc,onevm,onevnet,onezone name: openni2-utils version: 2.2.0.33+dfsg-10 commands: NiViewer2 name: openntpd version: 1:6.2p3-1 commands: ntpctl,ntpd,openntpd name: openocd version: 0.10.0-4 commands: openocd name: openorienteering-mapper version: 0.8.1.1-1build1 commands: Mapper name: openoverlayrouter version: 1.2.0+ds1-2build1 commands: oor name: openpgp-applet version: 1.1-1 commands: openpgp-applet name: openpref version: 0.1.3-2build1 commands: openpref name: openresolv version: 3.8.0-1 commands: resolvconf name: openrocket version: 15.03 commands: update-openrocket name: openrpt version: 3.3.12-2 commands: exportrpt,importmqlgui,importrpt,importrptgui,metasql,openrpt,openrpt-graph,rptrender name: opensaml2-tools version: 2.6.1-1 commands: samlsign name: opensc version: 0.17.0-3 commands: cardos-tool,cryptoflex-tool,dnie-tool,eidenv,iasecc-tool,netkey-tool,openpgp-tool,opensc-explorer,opensc-tool,piv-tool,pkcs11-tool,pkcs15-crypt,pkcs15-init,pkcs15-tool,sc-hsm-tool,westcos-tool name: openscap-daemon version: 0.1.8-1 commands: oscapd,oscapd-cli,oscapd-evaluate name: openscenegraph version: 3.2.3+dfsg1-2ubuntu8 commands: osg2cpp,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgframerenderer,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openscenegraph-3.4 version: 3.4.1+dfsg1-3 commands: osg2cpp,osgSSBO,osganalysis,osganimate,osganimationeasemotion,osganimationhardware,osganimationmakepath,osganimationmorph,osganimationnode,osganimationskinning,osganimationsolid,osganimationtimeline,osganimationviewer,osgarchive,osgatomiccounter,osgautocapture,osgautotransform,osgbillboard,osgblenddrawbuffers,osgblendequation,osgcallback,osgcamera,osgcatch,osgclip,osgcluster,osgcompositeviewer,osgcomputeshaders,osgconv,osgcopy,osgcubemap,osgdatabaserevisions,osgdelaunay,osgdepthpartition,osgdepthpeeling,osgdistortion,osgdrawinstanced,osgfadetext,osgfilecache,osgfont,osgforest,osgfpdepth,osgfxbrowser,osggameoflife,osggeometry,osggeometryshaders,osggpucull,osggpx,osggraphicscost,osghangglide,osghud,osgimagesequence,osgimpostor,osgintersection,osgkdtree,osgkeyboard,osgkeyboardmouse,osgkeystone,osglauncher,osglight,osglightpoint,osglogicop,osglogo,osgmanipulator,osgmemorytest,osgmotionblur,osgmovie,osgmultiplemovies,osgmultiplerendertargets,osgmultitexture,osgmultitexturecontrol,osgmultitouch,osgmultiviewpaging,osgoccluder,osgocclusionquery,osgoit,osgoscdevice,osgoutline,osgpackeddepthstencil,osgpagedlod,osgparametric,osgparticle,osgparticleeffects,osgparticleshader,osgpdf,osgphotoalbum,osgpick,osgplanets,osgpoints,osgpointsprite,osgposter,osgprecipitation,osgprerender,osgprerendercubemap,osgqfont,osgreflect,osgrobot,osgscalarbar,osgscreencapture,osgscribe,osgsequence,osgshadercomposition,osgshadergen,osgshaders,osgshaderterrain,osgshadow,osgshape,osgsharedarray,osgsidebyside,osgsimplegl3,osgsimpleshaders,osgsimplifier,osgsimulation,osgslice,osgspacewarp,osgspheresegment,osgspotlight,osgstereoimage,osgstereomatch,osgteapot,osgterrain,osgtessellate,osgtessellationshaders,osgtext,osgtext3D,osgtexture1D,osgtexture2D,osgtexture2DArray,osgtexture3D,osgtexturecompression,osgtexturerectangle,osgthirdpersonview,osgthreadedterrain,osgtransferfunction,osgtransformfeedback,osguniformbuffer,osgunittests,osguserdata,osguserstats,osgversion,osgvertexattributes,osgvertexprogram,osgviewer,osgviewerGLUT,osgviewerQt,osgvirtualprogram,osgvolume,osgwidgetaddremove,osgwidgetbox,osgwidgetcanvas,osgwidgetframe,osgwidgetinput,osgwidgetlabel,osgwidgetmenu,osgwidgetmessagebox,osgwidgetnotebook,osgwidgetperformance,osgwidgetscrolled,osgwidgetshader,osgwidgetstyled,osgwidgettable,osgwidgetwindow,osgwindows,present3D name: openshot-qt version: 2.4.1-2build2 commands: openshot-qt name: opensips version: 2.2.2-3build4 commands: opensips,opensipsctl,opensipsdbctl,opensipsunix,osipsconfig name: opensips-berkeley-bin version: 2.2.2-3build4 commands: bdb_recover name: opensips-console version: 2.2.2-3build4 commands: osipsconsole name: openslide-tools version: 3.4.1+dfsg-2 commands: openslide-quickhash1sum,openslide-show-properties,openslide-write-png name: opensm version: 3.3.20-2 commands: opensm,osmtest name: opensmtpd version: 6.0.3p1-1build1 commands: makemap,newaliases,sendmail,smtpctl,smtpd name: opensp version: 1.5.2-13ubuntu2 commands: onsgmls,osgmlnorm,ospam,ospcat,ospent,osx name: openssh-client-ssh1 version: 1:7.5p1-10 commands: scp1,ssh-keygen1,ssh1 name: openssh-known-hosts version: 0.6.2-1 commands: update-openssh-known-hosts name: openssn version: 1.4-1build2 commands: openssn name: openstack-pkg-tools version: 75 commands: pkgos-alioth-new-git,pkgos-alternative-bin,pkgos-bb,pkgos-bop,pkgos-bop-jenkins,pkgos-check-changelog,pkgos-debpypi,pkgos-dh_auto_install,pkgos-dh_auto_test,pkgos-fetch-fake-repo,pkgos-fix-config-default,pkgos-gen-completion,pkgos-gen-systemd-unit,pkgos-generate-snapshot,pkgos-infra-build-pkg,pkgos-infra-install-sbuild,pkgos-merge-templates,pkgos-parse-requirements,pkgos-readd-keystone-authtoken-missing-options,pkgos-reqsdiff,pkgos-scan-repo,pkgos-setup-sbuild,pkgos-show-control-depends,pkgos-testr name: openstereogram version: 0.1+20080921-2 commands: OpenStereogram name: openstv version: 1.6.1-1.2 commands: openstv,openstv-run-election name: opensvc version: 1.8~20170412-3 commands: nodemgr,svcmgr,svcmon name: openteacher version: 3.2-2 commands: openteacher name: openttd version: 1.7.1-1build1 commands: openttd name: openuniverse version: 1.0beta3.1+dfsg-6 commands: openuniverse name: openvas version: 9.0.2 commands: openvas-check-setup,openvas-feed-update,openvas-setup,openvas-start,openvas-stop name: openvas-cli version: 1.4.5-1 commands: check_omp,omp,omp-dialog name: openvas-manager version: 7.0.2-2 commands: database-statistics-sqlite,greenbone-certdata-sync,greenbone-scapdata-sync,openvas-migrate-to-postgres,openvas-portnames-update,openvasmd,openvasmd-sqlite name: openvas-manager-common version: 7.0.2-2 commands: openvas-manage-certs name: openvas-nasl version: 9.0.1-4 commands: openvas-nasl,openvas-nasl-lint name: openvas-scanner version: 5.1.1-3 commands: greenbone-nvt-sync,openvassd name: openvswitch-test version: 2.9.0-0ubuntu1 commands: ovs-l3ping,ovs-test name: openvswitch-testcontroller version: 2.9.0-0ubuntu1 commands: ovs-testcontroller name: openvswitch-vtep version: 2.9.0-0ubuntu1 commands: vtep-ctl name: openwince-jtag version: 0.5.1-7 commands: bsdl2jtag,jtag name: openwsman version: 2.6.5-0ubuntu3 commands: openwsmand,owsmangencert name: openyahtzee version: 1.9.3-1 commands: openyahtzee name: ophcrack version: 3.8.0-2 commands: ophcrack name: ophcrack-cli version: 3.8.0-2 commands: ophcrack-cli name: oping version: 1.10.0-1build1 commands: noping,oping name: oprofile version: 1.2.0-0ubuntu3 commands: ocount,op-check-perfevents,opannotate,oparchive,operf,opgprof,ophelp,opimport,opjitconv,opreport name: optcomp version: 1.6-2build1 commands: optcomp-o,optcomp-r name: opticalraytracer version: 3.2-1.1ubuntu1 commands: opticalraytracer name: opus-tools version: 0.1.10-1 commands: opusdec,opusenc,opusinfo,opusrtp name: orage version: 4.12.1-4 commands: globaltime,orage,tz_convert name: orbit2 version: 1:2.14.19-4 commands: ior-decode-2,linc-cleanup-sockets,orbit-idl-2,typelib-dump name: orbit2-nameserver version: 1:2.14.19-4 commands: name-client-2,orbit-name-server-2 name: orbital-eunuchs-sniper version: 1.30+svn20070601-4build1 commands: snipe2d name: oregano version: 0.70-3ubuntu2 commands: oregano name: ori version: 0.8.1+ds1-3ubuntu2 commands: ori,oridbg,orifs,orisync name: origami version: 1.2.7+really0.7.4-1.1 commands: origami name: origami-pdf version: 2.0.0-1ubuntu1 commands: pdf2pdfa,pdf2ruby,pdfcop,pdfdecompress,pdfdecrypt,pdfencrypt,pdfexplode,pdfextract,pdfmetadata,pdfsh,pdfwalker name: original-awk version: 2012-12-20-6 commands: awk,original-awk name: oroborus version: 2.0.20build1 commands: oroborus,x-window-manager name: orthanc version: 1.3.1+dfsg-1build2 commands: Orthanc,OrthancRecoverCompressedFile name: orthanc-wsi version: 0.4+dfsg-4build1 commands: OrthancWSIDicomToTiff,OrthancWSIDicomizer name: orville-write version: 2.55-3build1 commands: amin,helpers,huh,mesg,ojot,orville-write,tel,telegram,write name: os-autoinst version: 4.3+git20160919-3build2 commands: debugviewer,isotovideo,isotovideo.real,snd2png name: osc version: 0.162.1-1 commands: osc name: osdclock version: 0.5-24 commands: osd_clock name: osdsh version: 0.7.0-10.2 commands: osdctl,osdsh,osdshconfig name: osgearth version: 2.9.0+dfsg-1 commands: osgearth_atlas,osgearth_boundarygen,osgearth_cache,osgearth_conv,osgearth_overlayviewer,osgearth_package,osgearth_tfs,osgearth_tileindex,osgearth_version,osgearth_viewer name: osinfo-db-tools version: 1.1.0-1 commands: osinfo-db-export,osinfo-db-import,osinfo-db-path,osinfo-db-validate name: osm2pgrouting version: 2.3.3-1 commands: osm2pgrouting name: osm2pgsql version: 0.94.0+ds-1 commands: osm2pgsql name: osmcoastline version: 2.1.4-2build3 commands: osmcoastline,osmcoastline_filter,osmcoastline_readmeta,osmcoastline_segments,osmcoastline_ways name: osmctools version: 0.8-1 commands: osmconvert,osmfilter,osmupdate name: osmium-tool version: 1.7.1-1 commands: osmium name: osmo version: 0.4.2-1build1 commands: osmo name: osmo-bts version: 0.4.0-3 commands: osmobts-trx name: osmo-sdr version: 0.1.8.effcaa7-7 commands: osmo_sdr name: osmo-trx version: 0~20170323git2af1440+dfsg-2build1 commands: osmo-trx name: osmocom-bs11-utils version: 0.15.0-3 commands: bs11_config,isdnsync name: osmocom-bsc version: 0.15.0-3 commands: osmo-bsc,osmo-bsc_mgcp name: osmocom-bsc-nat version: 0.15.0-3 commands: osmo-bsc_nat name: osmocom-gbproxy version: 0.15.0-3 commands: osmo-gbproxy name: osmocom-ipaccess-utils version: 0.15.0-3 commands: ipaccess-config,ipaccess-find,ipaccess-proxy name: osmocom-nitb version: 0.15.0-3 commands: osmo-nitb name: osmocom-sgsn version: 0.15.0-3 commands: osmo-sgsn name: osmose-emulator version: 1.2-1 commands: osmose-emulator name: osmosis version: 0.46-2 commands: osmosis name: osmpbf-bin version: 1.3.3-7 commands: osmpbf-outline name: osptoolkit version: 4.13.0-1build1 commands: ospenroll,osptest name: oss4-base version: 4.2-build2010-5ubuntu2 commands: ossdetect,ossdevlinks,ossinfo,ossmix,ossplay,ossrecord,osstest,savemixer,vmixctl name: oss4-gtk version: 4.2-build2010-5ubuntu2 commands: ossxmix name: ossim-core version: 2.2.2-1 commands: ossim-adrg-dump,ossim-applanix2ogeom,ossim-autreg,ossim-band-merge,ossim-btoa,ossim-chgkwval,ossim-chipper,ossim-cli,ossim-cmm,ossim-computeSrtmStats,ossim-correl,ossim-create-bitmask,ossim-create-cg,ossim-create-histo,ossim-deg2dms,ossim-dms2deg,ossim-dump-ocg,ossim-equation,ossim-extract-vertices,ossim-icp,ossim-igen,ossim-image-compare,ossim-image-synth,ossim-img2md,ossim-img2rr,ossim-info,ossim-modopt,ossim-mosaic,ossim-ogeom2ogeom,ossim-orthoigen,ossim-pc2dem,ossim-pixelflip,ossim-plot-histo,ossim-preproc,ossim-prune,ossim-rejout,ossim-rpcgen,ossim-rpf,ossim-senint,ossim-space-imaging,ossim-src2src,ossim-swapbytes,ossim-tfw2ogeom,ossim-tool-client,ossim-tool-server,ossim-viirs-proc,ossim-ws-cmp name: osslsigncode version: 1.7.1-3 commands: osslsigncode name: osspd version: 1.3.2-9 commands: osspd name: ostinato version: 0.9-1 commands: drone,ostinato name: ostree version: 2018.4-2 commands: ostree,rofiles-fuse name: otags version: 4.05.1-1 commands: otags,update-otags name: otb-bin version: 6.4.0+dfsg-1 commands: otbApplicationLauncherCommandLine,otbcli,otbcli_BandMath,otbcli_BinaryMorphologicalOperation,otbcli_BlockMatching,otbcli_BundleToPerfectSensor,otbcli_ClassificationMapRegularization,otbcli_ColorMapping,otbcli_CompareImages,otbcli_ComputeConfusionMatrix,otbcli_ComputeImagesStatistics,otbcli_ComputeModulusAndPhase,otbcli_ComputeOGRLayersFeaturesStatistics,otbcli_ComputePolylineFeatureFromImage,otbcli_ConcatenateImages,otbcli_ConcatenateVectorData,otbcli_ConnectedComponentSegmentation,otbcli_ContrastEnhancement,otbcli_Convert,otbcli_ConvertCartoToGeoPoint,otbcli_ConvertSensorToGeoPoint,otbcli_DEMConvert,otbcli_DSFuzzyModelEstimation,otbcli_Despeckle,otbcli_DimensionalityReduction,otbcli_DisparityMapToElevationMap,otbcli_DomainTransform,otbcli_DownloadSRTMTiles,otbcli_DynamicConvert,otbcli_EdgeExtraction,otbcli_ExtractROI,otbcli_FineRegistration,otbcli_FusionOfClassifications,otbcli_GeneratePlyFile,otbcli_GenerateRPCSensorModel,otbcli_GrayScaleMorphologicalOperation,otbcli_GridBasedImageResampling,otbcli_HaralickTextureExtraction,otbcli_HomologousPointsExtraction,otbcli_HooverCompareSegmentation,otbcli_HyperspectralUnmixing,otbcli_ImageClassifier,otbcli_ImageEnvelope,otbcli_KMeansClassification,otbcli_KmzExport,otbcli_LSMSSegmentation,otbcli_LSMSSmallRegionsMerging,otbcli_LSMSVectorization,otbcli_LargeScaleMeanShift,otbcli_LineSegmentDetection,otbcli_LocalStatisticExtraction,otbcli_ManageNoData,otbcli_MeanShiftSmoothing,otbcli_MorphologicalClassification,otbcli_MorphologicalMultiScaleDecomposition,otbcli_MorphologicalProfilesAnalysis,otbcli_MultiImageSamplingRate,otbcli_MultiResolutionPyramid,otbcli_MultivariateAlterationDetector,otbcli_OGRLayerClassifier,otbcli_OSMDownloader,otbcli_ObtainUTMZoneFromGeoPoint,otbcli_OrthoRectification,otbcli_Pansharpening,otbcli_PixelValue,otbcli_PolygonClassStatistics,otbcli_PredictRegression,otbcli_Quicklook,otbcli_RadiometricIndices,otbcli_Rasterization,otbcli_ReadImageInfo,otbcli_RefineSensorModel,otbcli_Rescale,otbcli_RigidTransformResample,otbcli_SARCalibration,otbcli_SARDeburst,otbcli_SARDecompositions,otbcli_SARPolarMatrixConvert,otbcli_SARPolarSynth,otbcli_SFSTextureExtraction,otbcli_SOMClassification,otbcli_SampleExtraction,otbcli_SampleSelection,otbcli_Segmentation,otbcli_Smoothing,otbcli_SplitImage,otbcli_StereoFramework,otbcli_StereoRectificationGridGenerator,otbcli_Superimpose,otbcli_TestApplication,otbcli_TileFusion,otbcli_TrainImagesClassifier,otbcli_TrainRegression,otbcli_TrainVectorClassifier,otbcli_VectorClassifier,otbcli_VectorDataDSValidation,otbcli_VectorDataExtractROI,otbcli_VectorDataReprojection,otbcli_VectorDataSetField,otbcli_VectorDataTransform,otbcli_VertexComponentAnalysis name: otb-bin-qt version: 6.4.0+dfsg-1 commands: otbApplicationLauncherQt,otbgui,otbgui_BandMath,otbgui_BinaryMorphologicalOperation,otbgui_BlockMatching,otbgui_BundleToPerfectSensor,otbgui_ClassificationMapRegularization,otbgui_ColorMapping,otbgui_CompareImages,otbgui_ComputeConfusionMatrix,otbgui_ComputeImagesStatistics,otbgui_ComputeModulusAndPhase,otbgui_ComputeOGRLayersFeaturesStatistics,otbgui_ComputePolylineFeatureFromImage,otbgui_ConcatenateImages,otbgui_ConcatenateVectorData,otbgui_ConnectedComponentSegmentation,otbgui_ContrastEnhancement,otbgui_Convert,otbgui_ConvertCartoToGeoPoint,otbgui_ConvertSensorToGeoPoint,otbgui_DEMConvert,otbgui_DSFuzzyModelEstimation,otbgui_Despeckle,otbgui_DimensionalityReduction,otbgui_DisparityMapToElevationMap,otbgui_DomainTransform,otbgui_DownloadSRTMTiles,otbgui_DynamicConvert,otbgui_EdgeExtraction,otbgui_ExtractROI,otbgui_FineRegistration,otbgui_FusionOfClassifications,otbgui_GeneratePlyFile,otbgui_GenerateRPCSensorModel,otbgui_GrayScaleMorphologicalOperation,otbgui_GridBasedImageResampling,otbgui_HaralickTextureExtraction,otbgui_HomologousPointsExtraction,otbgui_HooverCompareSegmentation,otbgui_HyperspectralUnmixing,otbgui_ImageClassifier,otbgui_ImageEnvelope,otbgui_KMeansClassification,otbgui_KmzExport,otbgui_LSMSSegmentation,otbgui_LSMSSmallRegionsMerging,otbgui_LSMSVectorization,otbgui_LargeScaleMeanShift,otbgui_LineSegmentDetection,otbgui_LocalStatisticExtraction,otbgui_ManageNoData,otbgui_MeanShiftSmoothing,otbgui_MorphologicalClassification,otbgui_MorphologicalMultiScaleDecomposition,otbgui_MorphologicalProfilesAnalysis,otbgui_MultiImageSamplingRate,otbgui_MultiResolutionPyramid,otbgui_MultivariateAlterationDetector,otbgui_OGRLayerClassifier,otbgui_OSMDownloader,otbgui_ObtainUTMZoneFromGeoPoint,otbgui_OrthoRectification,otbgui_Pansharpening,otbgui_PixelValue,otbgui_PolygonClassStatistics,otbgui_PredictRegression,otbgui_Quicklook,otbgui_RadiometricIndices,otbgui_Rasterization,otbgui_ReadImageInfo,otbgui_RefineSensorModel,otbgui_Rescale,otbgui_RigidTransformResample,otbgui_SARCalibration,otbgui_SARDeburst,otbgui_SARDecompositions,otbgui_SARPolarMatrixConvert,otbgui_SARPolarSynth,otbgui_SFSTextureExtraction,otbgui_SOMClassification,otbgui_SampleExtraction,otbgui_SampleSelection,otbgui_Segmentation,otbgui_Smoothing,otbgui_SplitImage,otbgui_StereoFramework,otbgui_StereoRectificationGridGenerator,otbgui_Superimpose,otbgui_TestApplication,otbgui_TileFusion,otbgui_TrainImagesClassifier,otbgui_TrainRegression,otbgui_TrainVectorClassifier,otbgui_VectorClassifier,otbgui_VectorDataDSValidation,otbgui_VectorDataExtractROI,otbgui_VectorDataReprojection,otbgui_VectorDataSetField,otbgui_VectorDataTransform,otbgui_VertexComponentAnalysis name: otb-testdriver version: 6.4.0+dfsg-1 commands: otbTestDriver name: otcl-shells version: 1.14+dfsg-3build1 commands: otclsh,owish name: otf-trace version: 1.12.5+dfsg-2build1 commands: otfaux,otfcompress,otfdecompress,otfinfo,otfmerge,otfmerge-mpi,otfprint,otfprofile,otfprofile-mpi,otfshrink name: otf2bdf version: 3.1-4 commands: otf2bdf name: otp version: 1:1.2.2-1build1 commands: otp name: otpw-bin version: 1.5-1 commands: otpw-gen name: outguess version: 1:0.2-8 commands: outguess,outguess-extract,seek_script name: overgod version: 1.0-5 commands: overgod name: ovito version: 2.9.0+dfsg1-5ubuntu2 commands: ovito,ovitos name: ovn-central version: 2.9.0-0ubuntu1 commands: ovn-northd name: ovn-common version: 2.9.0-0ubuntu1 commands: ovn-nbctl,ovn-sbctl name: ovn-controller-vtep version: 2.9.0-0ubuntu1 commands: ovn-controller-vtep name: ovn-docker version: 2.9.0-0ubuntu1 commands: ovn-docker-overlay-driver,ovn-docker-underlay-driver name: ovn-host version: 2.9.0-0ubuntu1 commands: ovn-controller name: ow-shell version: 3.1p5-2 commands: owdir,owexist,owget,owpresent,owread,owwrite name: ow-tools version: 3.1p5-2 commands: owmon,owtap name: owfs-fuse version: 3.1p5-2 commands: owfs name: owftpd version: 3.1p5-2 commands: owftpd name: owhttpd version: 3.1p5-2 commands: owhttpd name: owncloud-client version: 2.4.1+dfsg-1 commands: owncloud name: owncloud-client-cmd version: 2.4.1+dfsg-1 commands: owncloudcmd name: owserver version: 3.1p5-2 commands: owexternal,owserver name: owx version: 0~20110415-3.1build1 commands: owx,owx-check,owx-export,owx-get,owx-import,owx-put,wouxun name: oxref version: 1.00.06-2 commands: oxref name: oz version: 0.16.0-1 commands: oz-cleanup-cache,oz-customize,oz-generate-icicle,oz-install name: p0f version: 3.09b-1 commands: p0f name: p10cfgd version: 1.0-16ubuntu1 commands: p10cfgd name: p2kmoto version: 0.1~rc1-0ubuntu3 commands: p2ktest name: p4vasp version: 0.3.30+dfsg-3 commands: p4v name: p7zip version: 16.02+dfsg-6 commands: 7zr,p7zip name: p7zip-full version: 16.02+dfsg-6 commands: 7z,7za name: p910nd version: 0.97-1build1 commands: p910nd name: pacapt version: 2.3.13-1 commands: pacapt name: pacemaker-remote version: 1.1.18-0ubuntu1 commands: pacemaker_remoted name: pachi version: 1:1.0-7build1 commands: pachi name: packer version: 1.0.4+dfsg-1 commands: packer name: packeth version: 1.6.5-2build1 commands: packeth name: packit version: 1.5-2 commands: packit name: packup version: 0.6-3 commands: packup name: pacman version: 10-17.2 commands: pacman name: pacman4console version: 1.3-1build2 commands: pacman4console,pacman4consoleedit name: pacpl version: 5.0.1-1 commands: pacpl name: pads version: 1.2-11.1ubuntu2 commands: pads,pads-report name: padthv1 version: 0.8.6-1 commands: padthv1_jack name: paexec version: 1.0.1-4 commands: paexec,paexec_reorder,pareorder name: page-crunch version: 1.0.1-3 commands: page-crunch name: pagein version: 0.01.00-1 commands: pagein name: pagekite version: 0.5.9.3-2 commands: lapcat,pagekite,vipagekite name: pagemon version: 0.01.12-1 commands: pagemon name: pages2epub version: 0.9.6-1 commands: pages2epub name: pages2odt version: 0.9.6-1 commands: pages2odt name: pagetools version: 0.1-3 commands: pbm_findskew,tiff_findskew name: painintheapt version: 0.20180212-1 commands: painintheapt name: paje.app version: 1.98-1build5 commands: Paje name: pajeng version: 1.3.4-3build1 commands: pj_dump,pj_equals,pj_gantt name: pakcs version: 2.0.1-1 commands: cleancurry,cypm,pakcs name: pal version: 0.4.3-8.1build2 commands: pal,vcard2pal name: palapeli version: 4:17.12.3-0ubuntu2 commands: palapeli name: palbart version: 2.13-1 commands: palbart name: paleomix version: 1.2.12-1 commands: bam_pipeline,bam_rmdup_collapsed,conv_gtf_to_bed,paleomix,phylo_pipeline,trim_pipeline name: palp version: 2.1-4 commands: class-11d.x,class-4d.x,class-5d.x,class-6d.x,class.x,cws-11d.x,cws-4d.x,cws-5d.x,cws-6d.x,cws.x,mori-11d.x,mori-4d.x,mori-5d.x,mori-6d.x,mori.x,nef-11d.x,nef-4d.x,nef-5d.x,nef-6d.x,nef.x,poly-11d.x,poly-4d.x,poly-5d.x,poly-6d.x,poly.x name: pamix version: 1.5-1 commands: pamix name: pamtester version: 0.1.2-2build1 commands: pamtester name: pamu2fcfg version: 1.0.4-2 commands: pamu2fcfg name: pan version: 0.144-1 commands: pan name: pandoc version: 1.19.2.4~dfsg-1build4 commands: pandoc name: pandoc-citeproc version: 0.10.5.1-1build4 commands: pandoc-citeproc name: pandoc-citeproc-preamble version: 1.2.3 commands: pandoc-citeproc-preamble name: pandorafms-agent version: 4.1-1 commands: pandora_agent,tentacle_client name: pangoterm version: 0~bzr607-1 commands: pangoterm,x-terminal-emulator name: pangzero version: 1.4.1+git20121103-3 commands: pangzero name: panko-api version: 4.0.0-0ubuntu1 commands: panko-api name: panko-common version: 4.0.0-0ubuntu1 commands: panko-dbsync,panko-expirer name: panoramisk version: 1.0-1 commands: panoramisk name: paperkey version: 1.5-3 commands: paperkey name: paprass version: 2.06-2 commands: paprass name: paprefs version: 0.9.10-2build1 commands: paprefs name: paps version: 0.6.8-7.1 commands: paps name: par version: 1.52-3build1 commands: par name: par2 version: 0.8.0-1 commands: par2,par2create,par2repair,par2verify name: paraclu version: 9-1build1 commands: paraclu,paraclu-cut.sh name: parafly version: 0.0.2013.01.21-3build1 commands: ParaFly name: parallel version: 20161222-1 commands: env_parallel,env_parallel.bash,env_parallel.csh,env_parallel.fish,env_parallel.ksh,env_parallel.pdksh,env_parallel.tcsh,env_parallel.zsh,niceload,parallel,parcat,sem,sql name: paraview version: 5.4.1+dfsg3-1 commands: paraview,pvbatch,pvdataserver,pvrenderserver,pvserver name: paraview-dev version: 5.4.1+dfsg3-1 commands: vtkWrapClientServer name: paraview-python version: 5.4.1+dfsg3-1 commands: pvpython name: parcellite version: 1.2.1-2 commands: parcellite name: parchive version: 1.1-4.1 commands: parchive name: parchives version: 1.1.1-0ubuntu2 commands: parchives name: parcimonie version: 0.10.3-2 commands: parcimonie,parcimonie-applet,parcimonie-torified-gpg name: pari-doc version: 2.9.4-1 commands: gphelp name: pari-gp version: 2.9.4-1 commands: gp,gp-2.9,tex2mail name: pari-gp2c version: 0.0.10pl1-1 commands: gp2c,gp2c-dbg,gp2c-run name: paris-traceroute version: 0.93+git20160927-1 commands: paris-ping,paris-traceroute name: parlatype version: 1.5.4-1 commands: parlatype name: parole version: 1.0.1-0ubuntu1 commands: parole name: parprouted version: 0.70-3 commands: parprouted name: parser3-cgi version: 3.4.5-2 commands: parser3 name: parsewiki version: 0.4.3-2 commands: parsewiki name: parsinsert version: 1.04-3 commands: parsinsert name: parsnp version: 1.2+dfsg-3 commands: parsnp name: partclone version: 0.3.11-1build1 commands: partclone.btrfs,partclone.chkimg,partclone.dd,partclone.exfat,partclone.ext2,partclone.ext3,partclone.ext4,partclone.ext4dev,partclone.extfs,partclone.f2fs,partclone.fat,partclone.fat12,partclone.fat16,partclone.fat32,partclone.hfs+,partclone.hfsp,partclone.hfsplus,partclone.imager,partclone.info,partclone.minix,partclone.nilfs2,partclone.ntfs,partclone.ntfsfixboot,partclone.ntfsreloc,partclone.reiser4,partclone.restore,partclone.vfat,partclone.xfs name: partimage version: 0.6.9-6build1 commands: partimage name: partimage-server version: 0.6.9-6build1 commands: partimaged,partimaged-passwd name: partitionmanager version: 3.3.1-2 commands: partitionmanager name: pasaffe version: 0.51-0ubuntu1 commands: pasaffe,pasaffe-cli,pasaffe-dump-db,pasaffe-import-entry,pasaffe-import-figaroxml,pasaffe-import-gpass,pasaffe-import-keepassx name: pasco version: 20040505-2 commands: pasco name: pasmo version: 0.5.3-6build1 commands: pasmo name: pass version: 1.7.1-3 commands: pass name: pass-git-helper version: 0.4-1 commands: pass-git-helper name: passage version: 4+dfsg1-3 commands: Passage,passage name: passenger version: 5.0.30-1build2 commands: passenger-config,passenger-memory-stats,passenger-status name: passwdqc version: 1.3.0-1build1 commands: pwqcheck,pwqgen name: password-gorilla version: 1.6.0~git20180203.228bbbb-1 commands: password-gorilla name: passwordmaker-cli version: 1.5+dfsg-3.1 commands: passwordmaker name: passwordsafe version: 1.04+dfsg-2 commands: pwsafe name: pasystray version: 0.6.0-1ubuntu1 commands: pasystray name: patator version: 0.6-3 commands: patator name: patchage version: 1.0.0~dfsg0-0.2 commands: patchage name: patchelf version: 0.9-1 commands: patchelf name: patcher version: 0.0.20040521-6.1 commands: patcher name: pathogen version: 1.1.1-5 commands: pathogen name: pathological version: 1.1.3-14 commands: pathological name: pathspider version: 2.0.1-2 commands: pspdr name: patman version: 1.2.2+dfsg-4 commands: patman name: patool version: 1.12-3 commands: patool name: patroni version: 1.4.2-2ubuntu1 commands: patroni,patroni_aws,patroni_wale_restore,patronictl name: paulstretch version: 2.2-2-4 commands: paulstretch name: pavucontrol version: 3.0-4 commands: pavucontrol name: pavucontrol-qt version: 0.3.0-3 commands: pavucontrol-qt name: pavuk version: 0.9.35-6.1 commands: pavuk name: pavumeter version: 0.9.3-4build2 commands: pavumeter name: paw version: 1:2.14.04.dfsg.2-9.1build1 commands: pawX11 name: paw++ version: 1:2.14.04.dfsg.2-9.1build1 commands: paw++ name: paw-common version: 1:2.14.04.dfsg.2-9.1build1 commands: paw name: paw-demos version: 1:2.14.04.dfsg.2-9.1build1 commands: paw-demos name: pawserv version: 20061220+dfsg3-4.3ubuntu1 commands: pawserv,zserv name: pax-britannica version: 1.0.0-2.1 commands: pax-britannica name: pax-utils version: 1.2.2-1 commands: dumpelf,lddtree,pspax,scanelf,scanmacho,symtree name: paxctl version: 0.9-1build1 commands: paxctl name: paxctld version: 1.2.1-1 commands: paxctld name: paxrat version: 1.32.0-2 commands: paxrat name: pbalign version: 0.3.0-1 commands: createChemistryHeader,createChemistryHeader.py,extractUnmappedSubreads,extractUnmappedSubreads.py,loadChemistry,loadChemistry.py,maskAlignedReads,maskAlignedReads.py,pbalign name: pbgenomicconsensus version: 2.1.0-1 commands: arrow,gffToBed,gffToVcf,plurality,quiver,summarizeConsensus,variantCaller name: pbh5tools version: 0.8.0+dfsg-5build1 commands: bash5tools,bash5tools.py,cmph5tools,cmph5tools.py name: pbhoney version: 15.8.24+dfsg-2 commands: Honey,Honey.py name: pbjelly version: 15.8.24+dfsg-2 commands: Jelly,Jelly.py name: pbsim version: 1.0.3-3 commands: pbsim name: pbuilder-scripts version: 22 commands: pbuild,pclean,pcreate,pget,ptest,pupdate name: pbzip2 version: 1.1.9-1build1 commands: pbzip2 name: pcal version: 4.11.0-3build1 commands: pcal name: pcalendar version: 3.4.1-2 commands: pcalendar name: pcapfix version: 1.1.0-2 commands: pcapfix name: pcaputils version: 0.8-1build1 commands: pcapdump,pcapip,pcappick,pcapuc name: pcb-gtk version: 1:4.0.2-4 commands: pcb,pcb-gtk name: pcb-lesstif version: 1:4.0.2-4 commands: pcb,pcb-lesstif name: pcb-rnd version: 1.2.7-1 commands: gsch2pcb-rnd,pcb-rnd,pcb-strip name: pcb2gcode version: 1.1.4-git20120902-1.1build2 commands: pcb2gcode name: pccts version: 1.33MR33-6build1 commands: antlr,dlg,genmk,sor name: pcf2bdf version: 1.05-1build1 commands: pcf2bdf name: pchar version: 1.5-4 commands: pchar name: pcl-tools version: 1.8.1+dfsg1-2ubuntu2 commands: pcl_add_gaussian_noise,pcl_boundary_estimation,pcl_cluster_extraction,pcl_compute_cloud_error,pcl_compute_hausdorff,pcl_compute_hull,pcl_concatenate_points_pcd,pcl_convert_pcd_ascii_binary,pcl_converter,pcl_convolve,pcl_crf_segmentation,pcl_crop_to_hull,pcl_demean_cloud,pcl_dinast_grabber,pcl_elch,pcl_extract_feature,pcl_face_trainer,pcl_fast_bilateral_filter,pcl_feature_matching,pcl_fpfh_estimation,pcl_fs_face_detector,pcl_generate,pcl_gp3_surface,pcl_grabcut_2d,pcl_grid_min,pcl_hdl_grabber,pcl_hdl_viewer_simple,pcl_icp,pcl_icp2d,pcl_linemod_detection,pcl_local_max,pcl_lum,pcl_manual_registration,pcl_marching_cubes_reconstruction,pcl_match_linemod_template,pcl_mesh2pcd,pcl_mesh_sampling,pcl_mls_smoothing,pcl_modeler,pcl_morph,pcl_multiscale_feature_persistence_example,pcl_ndt2d,pcl_ndt3d,pcl_nn_classification_example,pcl_normal_estimation,pcl_obj2pcd,pcl_obj2ply,pcl_obj2vtk,pcl_obj_rec_ransac_accepted_hypotheses,pcl_obj_rec_ransac_hash_table,pcl_obj_rec_ransac_model_opps,pcl_obj_rec_ransac_orr_octree,pcl_obj_rec_ransac_orr_octree_zprojection,pcl_obj_rec_ransac_result,pcl_obj_rec_ransac_scene_opps,pcl_octree_viewer,pcl_openni2_viewer,pcl_organized_pcd_to_png,pcl_outlier_removal,pcl_outofcore_print,pcl_outofcore_process,pcl_outofcore_viewer,pcl_passthrough_filter,pcl_pcd2ply,pcl_pcd2png,pcl_pcd2vtk,pcl_pcd_change_viewpoint,pcl_pcd_convert_NaN_nan,pcl_pcd_image_viewer,pcl_pcd_introduce_nan,pcl_pcd_organized_edge_detection,pcl_pcd_organized_multi_plane_segmentation,pcl_pcd_select_object_plane,pcl_pcd_video_player,pcl_pclzf2pcd,pcl_plane_projection,pcl_ply2obj,pcl_ply2pcd,pcl_ply2ply,pcl_ply2raw,pcl_ply2vtk,pcl_plyheader,pcl_png2pcd,pcl_point_cloud_editor,pcl_poisson_reconstruction,pcl_ppf_object_recognition,pcl_progressive_morphological_filter,pcl_pyramid_surface_matching,pcl_radius_filter,pcl_registration_visualizer,pcl_sac_segmentation_plane,pcl_spin_estimation,pcl_statistical_multiscale_interest_region_extraction_example,pcl_stereo_ground_segmentation,pcl_surfel_smoothing_test,pcl_test_search_speed,pcl_tiff2pcd,pcl_timed_trigger_test,pcl_train_linemod_template,pcl_train_unary_classifier,pcl_transform_from_viewpoint,pcl_transform_point_cloud,pcl_unary_classifier_segment,pcl_uniform_sampling,pcl_vfh_estimation,pcl_viewer,pcl_virtual_scanner,pcl_vlp_viewer,pcl_voxel_grid,pcl_voxel_grid_occlusion_estimation,pcl_vtk2obj,pcl_vtk2pcd,pcl_vtk2ply,pcl_xyz2pcd name: pcmanfm version: 1.2.5-3ubuntu1 commands: pcmanfm name: pcmanfm-qt version: 0.12.0-5 commands: pcmanfm-qt name: pcmanx-gtk2 version: 1.3-1build1 commands: pcmanx name: pconsole version: 1.0-13 commands: pconsole,pconsole-ssh name: pcp version: 4.0.1-1 commands: dbpmda,genpmda,pcp,pcp2csv,pcp2json,pcp2xml,pcp2zabbix,pmafm,pmatop,pmclient,pmclient_fg,pmcollectl,pmdate,pmdbg,pmdiff,pmdumplog,pmerr,pmevent,pmfind,pmgenmap,pmie,pmie2col,pmieconf,pminfo,pmiostat,pmjson,pmlc,pmlogcheck,pmlogconf,pmlogextract,pmlogger,pmloglabel,pmlogmv,pmlogsize,pmlogsummary,pmprobe,pmpython,pmrep,pmsocks,pmstat,pmstore,pmtrace,pmval name: pcp-export-pcp2graphite version: 4.0.1-1 commands: pcp2graphite name: pcp-export-pcp2influxdb version: 4.0.1-1 commands: pcp2influxdb name: pcp-gui version: 4.0.1-1 commands: pmchart,pmconfirm,pmdumptext,pmmessage,pmquery,pmtime name: pcp-import-collectl2pcp version: 4.0.1-1 commands: collectl2pcp name: pcp-import-ganglia2pcp version: 4.0.1-1 commands: ganglia2pcp name: pcp-import-iostat2pcp version: 4.0.1-1 commands: iostat2pcp name: pcp-import-mrtg2pcp version: 4.0.1-1 commands: mrtg2pcp name: pcp-import-sar2pcp version: 4.0.1-1 commands: sar2pcp name: pcp-import-sheet2pcp version: 4.0.1-1 commands: sheet2pcp name: pcre2-utils version: 10.31-2 commands: pcre2grep,pcre2test name: pcredz version: 0.9-1 commands: pcredz name: pcregrep version: 2:8.39-9 commands: pcregrep,zpcregrep name: pcs version: 0.9.164-1 commands: pcs name: pcsc-tools version: 1.5.2-2 commands: ATR_analysis,gscriptor,pcsc_scan,scriptor name: pcscd version: 1.8.23-1 commands: pcscd name: pcsxr version: 1.9.94-2 commands: pcsxr name: pct-scanner-scripts version: 0.0.4-3ubuntu1 commands: pct-scanner-script name: pd-iem version: 0.0.20180206-1 commands: pd-iem name: pd-pdp version: 1:0.14.1+darcs20180201-1 commands: pdp-config name: pdal version: 1.6.0-1build2 commands: pdal name: pdb2pqr version: 2.1.1+dfsg-2 commands: pdb2pqr,propka,psize name: pdd version: 1.1-1 commands: pdd name: pdepend version: 2.5.2-1 commands: pdepend name: pdf-presenter-console version: 4.1-2 commands: pdf-presenter-console,pdf_presenter_console,pdfpc name: pdf-redact-tools version: 0.1.2-1 commands: pdf-redact-tools name: pdf2djvu version: 0.9.8-0ubuntu1 commands: pdf2djvu name: pdf2svg version: 0.2.3-1 commands: pdf2svg name: pdfcrack version: 0.16-1 commands: pdfcrack name: pdfcube version: 0.0.5-2build6 commands: pdfcube name: pdfgrep version: 2.0.1-1 commands: pdfgrep name: pdfmod version: 0.9.1-8 commands: pdfmod name: pdfposter version: 0.6.0-2 commands: pdfposter name: pdfresurrect version: 0.14-1 commands: pdfresurrect name: pdfsam version: 3.3.5-1 commands: pdfsam name: pdfsandwich version: 0.1.6-1 commands: pdfsandwich name: pdfshuffler version: 0.6.0-8 commands: pdfshuffler name: pdftoipe version: 1:7.2.7-1build1 commands: pdftoipe name: pdi2iso version: 0.1-0ubuntu3 commands: pdi2iso name: pdl version: 1:2.018-1ubuntu4 commands: dh_pdl,pdl,pdl2,pdldoc,perldl,pptemplate name: pdlzip version: 1.9-1 commands: lzip,lzip.pdlzip,pdlzip name: pdmenu version: 1.3.4build1 commands: pdmenu name: pdns-backend-ldap version: 4.1.1-1 commands: zone2ldap name: pdns-recursor version: 4.1.1-2 commands: pdns_recursor,rec_control name: pdns-server version: 4.1.1-1 commands: pdns_control,pdns_server,pdnsutil,zone2json,zone2sql name: pdns-tools version: 4.1.1-1 commands: calidns,dnsbulktest,dnsgram,dnsreplay,dnsscan,dnsscope,dnstcpbench,dnswasher,dumresp,ixplore,nproxy,nsec3dig,pdns_notify,saxfr,sdig name: pdsh version: 2.31-3build2 commands: dshbak,pdcp,pdsh,pdsh.bin,rpdcp name: peco version: 0.5.1-1 commands: peco name: pecomato version: 0.0.15-9 commands: pecomato name: peewee version: 2.10.2+dfsg-2 commands: pskel,pwiz name: peframe version: 5.0.1+git20170303.0.e482def+dfsg-1 commands: peframe name: peg version: 0.1.18-1 commands: leg,peg name: peg-e version: 1.2.4-1 commands: peg-e name: peg-go version: 1.0.0-4 commands: peg-go name: peg-solitaire version: 2.2-1 commands: peg-solitaire name: pegasus-wms version: 4.4.0+dfsg-7 commands: pegasus-analyzer,pegasus-archive,pegasus-cleanup,pegasus-cluster,pegasus-config,pegasus-create-dir,pegasus-dagman,pegasus-dax-validator,pegasus-exitcode,pegasus-gridftp,pegasus-invoke,pegasus-keg,pegasus-kickstart,pegasus-monitord,pegasus-plan,pegasus-plots,pegasus-rc-client,pegasus-remove,pegasus-run,pegasus-s3,pegasus-sc-client,pegasus-sc-converter,pegasus-statistics,pegasus-status,pegasus-submit-dag,pegasus-tc-client,pegasus-tc-converter,pegasus-transfer,pegasus-version name: pegsolitaire version: 0.1.1-1 commands: pegsolitaire name: pekwm version: 0.1.17-3 commands: pekwm,x-window-manager name: pelican version: 3.7.1+dfsg-1 commands: pelican,pelican-import,pelican-quickstart,pelican-themes name: pem version: 0.7.9-1 commands: pem name: pen version: 0.34.1-1build1 commands: mergelogs,pen,penctl,penlog,penlogd name: pencil2d version: 0.6.1.1-1 commands: pencil2d name: penguin-command version: 1.6.11-3build1 commands: penguin-command name: pente version: 2.2.5-7build2 commands: pente name: pentium-builder version: 0.21ubuntu1 commands: builder-c++,builder-cc,c++,cc,g++,gcc ignore-commands: g++,gcc name: pentobi version: 14.1-1 commands: pentobi,pentobi-thumbnailer name: peony version: 1.1.1-0ubuntu2 commands: peony,peony-autorun-software,peony-connect-server,peony-file-management-properties name: peony-sendto version: 1.1.1-0ubuntu2 commands: peony-sendto name: pep8 version: 1.7.1-1ubuntu1 commands: pep8 name: pepper version: 0.3.3-3 commands: pepper name: perceptualdiff version: 1.2-2build1 commands: perceptualdiff name: percol version: 0.2.1-1 commands: percol name: percona-galera-arbitrator-3 version: 3.21-0ubuntu2 commands: garb-systemd,garbd name: percona-toolkit version: 3.0.6+dfsg-2 commands: pt-align,pt-archiver,pt-config-diff,pt-deadlock-logger,pt-diskstats,pt-duplicate-key-checker,pt-fifo-split,pt-find,pt-fingerprint,pt-fk-error-logger,pt-heartbeat,pt-index-usage,pt-ioprofile,pt-kill,pt-mext,pt-mysql-summary,pt-online-schema-change,pt-pmp,pt-query-digest,pt-show-grants,pt-sift,pt-slave-delay,pt-slave-find,pt-slave-restart,pt-stalk,pt-summary,pt-table-checksum,pt-table-sync,pt-table-usage,pt-upgrade,pt-variable-advisor,pt-visual-explain name: percona-xtrabackup version: 2.4.9-0ubuntu2 commands: innobackupex,xbcloud,xbcloud_osenv,xbcrypt,xbstream,xtrabackup name: percona-xtradb-cluster-server-5.7 version: 5.7.20-29.24-0ubuntu2 commands: clustercheck,innochecksum,my_print_defaults,myisamchk,myisamlog,myisampack,mysql_install_db,mysql_plugin,mysql_secure_installation,mysql_tzinfo_to_sql,mysql_upgrade,mysqlbinlog,mysqld,mysqld_multi,mysqld_safe,mysqltest,perror,pyclustercheck,replace,resolve_stack_dump,resolveip,wsrep_sst_common,wsrep_sst_mysqldump,wsrep_sst_rsync,wsrep_sst_xtrabackup-v2 name: perdition version: 2.2-3ubuntu2 commands: makebdb,makegdbm,perdition,perdition.imap4,perdition.imap4s,perdition.imaps,perdition.managesieve,perdition.pop3,perdition.pop3s name: perdition-ldap version: 2.2-3ubuntu2 commands: perditiondb_ldap_makedb name: perdition-mysql version: 2.2-3ubuntu2 commands: perditiondb_mysql_makedb name: perdition-odbc version: 2.2-3ubuntu2 commands: perditiondb_odbc_makedb name: perdition-postgresql version: 2.2-3ubuntu2 commands: perditiondb_postgresql_makedb name: perf-tools-unstable version: 1.0+git7ffb3fd-1ubuntu1 commands: bitesize-perf,cachestat-perf,execsnoop-perf,funccount-perf,funcgraph-perf,funcslower-perf,functrace-perf,iolatency-perf,iosnoop-perf,killsnoop-perf,kprobe-perf,opensnoop-perf,perf-stat-hist-perf,reset-ftrace-perf,syscount-perf,tcpretrans-perf,tpoint-perf,uprobe-perf name: perforate version: 1.2-5.1 commands: finddup,findstrip,nodup,zum name: performous version: 1.1-2build2 commands: performous name: performous-tools version: 1.1-2build2 commands: gh_fsb_decrypt,gh_xen_decrypt,itg_pck,ss_adpcm_decode,ss_archive_extract,ss_chc_decode,ss_cover_conv,ss_extract,ss_ipu_conv,ss_pak_extract name: perftest version: 4.1+0.2.g770623f-1 commands: ib_atomic_bw,ib_atomic_lat,ib_read_bw,ib_read_lat,ib_send_bw,ib_send_lat,ib_write_bw,ib_write_lat,raw_ethernet_burst_lat,raw_ethernet_bw,raw_ethernet_fs_rate,raw_ethernet_lat,run_perftest_loopback,run_perftest_multi_devices name: perl-byacc version: 2.0-8 commands: pbyacc,yacc name: perl-cross-debian version: 0.0.5 commands: perl-cross-debian,perl-cross-staging name: perl-depends version: 2016.1029+git8f67695-1 commands: perl-depends name: perl-stacktrace version: 0.09-3 commands: perl-stacktrace name: perl-tk version: 1:804.033-2build1 commands: ptked,ptksh,tkjpeg,widget name: perlbal version: 1.80-3 commands: perlbal name: perlbrew version: 0.82-1 commands: perlbrew name: perlconsole version: 0.4-4 commands: perlconsole name: perlindex version: 1.606-1 commands: perlindex name: perlprimer version: 1.2.3-1 commands: perlprimer name: perlqt-dev version: 4:4.14.1-0ubuntu11 commands: prcc4_bin name: perlrdf version: 0.004-3 commands: perlrdf name: perltidy version: 20170521-1 commands: perltidy name: perm version: 0.4.0-3 commands: PerM,perm name: peruse version: 1.2+dfsg-2ubuntu1 commands: peruse,perusecreator name: pescetti version: 0.5-3 commands: dup2dds,pbn2dds,pescetti name: petit version: 1.1.1-1 commands: petit name: petitboot version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: pb-discover,pb-event,pb-udhcpc,petitboot-nc name: petitboot-twin version: 13.05.29.14.00-g4dc604b-1ubuntu1 commands: petitboot-twin name: petname version: 2.7-0ubuntu1 commands: petname name: petri-foo version: 0.1.87-4build1 commands: petri-foo name: petris version: 1.0.1-10 commands: petris name: pev version: 0.80-4build1 commands: ofs2rva,pedis,pehash,pepack,peres,pescan,pesec,pestr,readpe,rva2ofs name: pex version: 1.1.14-2ubuntu2 commands: pex name: pexec version: 1.0~rc8-3build1 commands: pexec name: pfb2t1c2pfb version: 0.3-11 commands: pfb2t1c,t1c2pfb name: pff-tools version: 20120802-5.1 commands: pffexport,pffinfo name: pflogsumm version: 1.1.5-3 commands: pflogsumm name: pfm version: 2.0.8-2 commands: pfm name: pfqueue version: 0.5.6-9build2 commands: pfqueue,spfqueue name: pfsglview version: 2.1.0-3 commands: pfsglview name: pfstmo version: 2.1.0-3 commands: pfstmo_drago03,pfstmo_durand02,pfstmo_fattal02,pfstmo_ferradans11,pfstmo_mai11,pfstmo_mantiuk06,pfstmo_mantiuk08,pfstmo_pattanaik00,pfstmo_reinhard02,pfstmo_reinhard05 name: pfstools version: 2.1.0-3 commands: dcraw2hdrgen,jpeg2hdrgen,pfsabsolute,pfscat,pfsclamp,pfscolortransform,pfscut,pfsdisplayfunction,pfsextractchannels,pfsflip,pfsgamma,pfshdrcalibrate,pfsin,pfsindcraw,pfsinexr,pfsinhdrgen,pfsinimgmagick,pfsinme,pfsinpfm,pfsinppm,pfsinrgbe,pfsintiff,pfsinyuv,pfsoctavelum,pfsoctavergb,pfsout,pfsoutexr,pfsouthdrhtml,pfsoutimgmagick,pfsoutpfm,pfsoutppm,pfsoutrgbe,pfsouttiff,pfsoutyuv,pfspad,pfspanoramic,pfsplotresponse,pfsretime,pfsrotate,pfssize,pfsstat,pfstag name: pfsview version: 2.1.0-3 commands: pfsv,pfsview name: pg-activity version: 1.4.0-1 commands: pg_activity name: pg-backup-ctl version: 0.8 commands: pg_backup_ctl name: pg-cloudconfig version: 0.8 commands: pg_cloudconfig name: pgadmin3 version: 1.22.2-4 commands: pgadmin3 name: pgagent version: 3.4.1-5build1 commands: pgagent name: pgbackrest version: 1.25-1 commands: pgbackrest name: pgbadger version: 9.2-1 commands: pgbadger name: pgbouncer version: 1.8.1-1build1 commands: pgbouncer name: pgcli version: 1.6.0-1 commands: pgcli name: pgdbf version: 0.6.2-1.1build1 commands: pgdbf name: pglistener version: 4 commands: pua name: pgmodeler version: 0.9.1~beta-1 commands: pgmodeler,pgmodeler-cli name: pgn-extract version: 17.55-1 commands: pgn-extract name: pgn2web version: 0.4-1.1build2 commands: p2wgui,pgn2web name: pgpdump version: 0.31-0.2 commands: pgpdump name: pgpgpg version: 0.13-9.1build1 commands: pgp,pgpgpg name: pgqd version: 3.3-1 commands: pgqd name: pgreplay version: 1.2.0-2ubuntu2 commands: pgreplay name: pgtop version: 3.7.0-2build2 commands: pg_top name: pgxnclient version: 1.2.1-3 commands: pgxn,pgxnclient name: phalanx version: 22+d051004-14 commands: phalanx,xphalanx name: phantomjs version: 2.1.1+dfsg-2 commands: phantomjs name: phasex version: 0.14.97-2build2 commands: phasex,phasex-convert-patch name: phast version: 1.4+dfsg-1 commands: all_dists,base_evolve,chooseLines,clean_genes,consEntropy,convert_coords,display_rate_matrix,dless,dlessP,draw_tree,eval_predictions,exoniphy,hmm_train,hmm_tweak,hmm_view,indelFit,indelHistory,maf_parse,makeHKY,modFreqs,msa_diff,msa_split,msa_view,pbsDecode,pbsEncode,pbsScoreMatrix,pbsTrain,phast,phastBias,phastCons,phastMotif,phastOdds,phyloBoot,phyloFit,phyloP,prequel,refeature,stringiphy,treeGen,tree_doctor name: phenny version: 2~hg28-3 commands: phenny name: phing version: 2.16.0-1 commands: phing name: phipack version: 0.0.20160614-2 commands: phipack-phi,phipack-ppma_2_bmp,phipack-profile name: phlipple version: 0.8.5-2build3 commands: phlipple name: phnxdeco version: 0.33-3build1 commands: phnxdeco name: phoronix-test-suite version: 5.2.1-1ubuntu2 commands: phoronix-test-suite name: photo-uploader version: 0.12-3 commands: photo-upload name: photocollage version: 1.4.3-2 commands: photocollage name: photofilmstrip version: 3.4.1-1 commands: photofilmstrip,photofilmstrip-cli name: photopc version: 3.07-1 commands: epinfo,photopc name: photoprint version: 0.4.2~pre2-2.5 commands: photoprint name: phototonic version: 1.7.20-1 commands: phototonic name: php-codesniffer version: 3.2.3-1 commands: phpcbf,phpcs name: php-doctrine-dbal version: 2.5.13-1 commands: doctrine-dbal name: php-doctrine-orm version: 2.5.14+dfsg-1 commands: doctrine name: php-horde version: 5.2.17+debian0-1 commands: horde-active-sessions,horde-alarms,horde-check-logger,horde-clear-cache,horde-crond,horde-db-migrate,horde-import-openxchange-prefs,horde-import-squirrelmail-prefs,horde-memcache-stats,horde-pref-remove,horde-queue-run-tasks,horde-remove-user-data,horde-run-task,horde-sessions-gc,horde-set-perms,horde-sql-shell,horde-themes,horde-translation,horde-writable-config name: php-horde-ansel version: 3.0.8+debian0-1ubuntu1 commands: ansel,ansel-convert-sql-shares-to-sqlng,ansel-exif-to-tags,ansel-garbage-collection name: php-horde-content version: 2.0.6-1 commands: content-object-add,content-object-delete,content-tag,content-tag-add,content-tag-delete,content-untag name: php-horde-db version: 2.4.0-1ubuntu2 commands: horde-db-migrate-component name: php-horde-groupware version: 5.2.22-1 commands: groupware-install name: php-horde-imp version: 6.2.21-1ubuntu1 commands: imp-admin-upgrade,imp-bounce-spam,imp-mailbox-decode,imp-query-imap-cache name: php-horde-ingo version: 3.2.16-1ubuntu1 commands: ingo-admin-upgrade,ingo-convert-prefs-to-sql,ingo-convert-sql-shares-to-sqlng,ingo-postfix-policyd name: php-horde-kronolith version: 4.2.23-1ubuntu1 commands: kronolith-agenda,kronolith-convert-datatree-shares-to-sql,kronolith-convert-sql-shares-to-sqlng,kronolith-convert-to-utc,kronolith-import-icals,kronolith-import-openxchange,kronolith-import-squirrelmail-calendar name: php-horde-mnemo version: 4.2.14-1ubuntu1 commands: mnemo-convert-datatree-shares-to-sql,mnemo-convert-sql-shares-to-sqlng,mnemo-convert-to-utf8,mnemo-import-text-note name: php-horde-nag version: 4.2.17-1ubuntu1 commands: nag-convert-datatree-shares-to-sql,nag-convert-sql-shares-to-sqlng,nag-create-missing-add-histories-sql,nag-import-openxchange,nag-import-vtodos name: php-horde-prefs version: 2.9.0-1ubuntu1 commands: horde-prefs name: php-horde-service-weather version: 2.5.4-1ubuntu1 commands: horde-service-weather-metar-database name: php-horde-sesha version: 1.0.0~rc3-1 commands: sesha-add-stock name: php-horde-trean version: 1.1.9-1 commands: trean-backfill-crawler,trean-backfill-favicons,trean-backfill-remove-utm-params,trean-url-checker name: php-horde-turba version: 4.2.21-1ubuntu1 commands: turba-convert-datatree-shares-to-sql,turba-convert-sql-shares-to-sqlng,turba-import-openxchange,turba-import-squirrelmail-file-abook,turba-import-squirrelmail-sql-abook,turba-import-vcards,turba-public-to-horde-share name: php-horde-vfs version: 2.4.0-1ubuntu1 commands: horde-vfs name: php-horde-webmail version: 5.2.22-1 commands: webmail-install name: php-horde-whups version: 3.0.12-1 commands: whups-bugzilla-import,whups-convert-datatree-shares-to-sql,whups-convert-sql-shares-to-sqlng,whups-convert-to-utf8,whups-git-hook,whups-git-hook-conf.php.dist,whups-mail-filter,whups-obliterate,whups-reminders,whups-svn-hook,whups-svn-hook-conf.php.dist name: php-horde-wicked version: 2.0.8-1ubuntu1 commands: wicked,wicked-convert-to-utf8,wicked-mail-filter name: php-jmespath version: 2.3.0-2ubuntu1 commands: jmespath,jp.php name: php-json-schema version: 5.2.6-1 commands: validate-json name: php-parser version: 3.1.4-1 commands: php-parse name: php-sabre-dav version: 1.8.12-3ubuntu2 commands: naturalselection,naturalselection.py,sabredav name: php-sabre-vobject version: 2.1.7-4 commands: vobjectvalidate name: php-services-weather version: 1.4.7-4 commands: buildMetarDB name: php7.2-fpm version: 7.2.3-1ubuntu1 commands: php-fpm7.2 name: php7.2-phpdbg version: 7.2.3-1ubuntu1 commands: phpdbg,phpdbg7.2 name: php7cc version: 1.1.0-1 commands: php7cc name: phpab version: 1.24.1-1 commands: phpab name: phpcpd version: 3.0.1-1 commands: phpcpd name: phpdox version: 0.11.0-1 commands: phpdox name: phploc version: 4.0.1-1 commands: phploc name: phpmd version: 2.6.0-1 commands: phpmd name: phpmyadmin version: 4:4.6.6-5 commands: pma-configure,pma-secure name: phpunit version: 6.5.5-1ubuntu2 commands: phpunit name: phybin version: 0.3-1 commands: phybin name: phylip version: 1:3.696+dfsg-5 commands: DrawGram,DrawTree,phylip name: phyml version: 3:3.3.20170530+dfsg-2 commands: phyml,phyml-mpi name: physamp version: 1.1.0-1 commands: bppalnoptim,bppphysamp name: physlock version: 11-1 commands: physlock name: phyutility version: 2.7.3-1 commands: phyutility name: pi version: 1.3.4-2 commands: pi name: pia version: 3.103-4build1 commands: pia name: pianobar version: 2017.08.30-1 commands: pianobar name: pianobooster version: 0.6.7~svn156-1 commands: pianobooster name: picard version: 1.4.2-1 commands: picard name: picard-tools version: 2.8.1+dfsg-3 commands: PicardCommandLine,picard-tools name: pick version: 2.0.1-1 commands: pick name: picmi version: 4:17.12.3-0ubuntu1 commands: picmi name: picocom version: 2.2-2 commands: picocom name: picosat version: 960-1build1 commands: picomus,picosat,picosat.trace name: picprog version: 1.9.1-3build1 commands: picprog name: pictor version: 2.38-0ubuntu2 commands: pictor-thumbs name: pictor-unload version: 2.38-0ubuntu2 commands: pictor-rename,pictor-unload name: picviz version: 0.5-1ubuntu1 commands: pcv name: pid1 version: 0.1.2.0-1 commands: pid1 name: pidcat version: 2.1.0-2 commands: pidcat name: pidentd version: 3.0.19.ds1-8 commands: identd,ikeygen name: pidgin version: 1:2.12.0-1ubuntu4 commands: pidgin name: pidgin-dev version: 1:2.12.0-1ubuntu4 commands: dh_pidgin name: piespy version: 0.4.0-4 commands: piespy name: piglit version: 0~git20170210-508210dc1-1.1 commands: piglit name: pigz version: 2.4-1 commands: pigz,unpigz name: pike7.8-core version: 7.8.866-8.1 commands: pike7.8 name: pike8.0-core version: 8.0.498-1build1 commands: pike8.0 name: pikopixel.app version: 1.0-b9b-1 commands: PikoPixel name: piler version: 0~20140707-1build1 commands: piler2 name: pilot version: 2.21+dfsg1-1build1 commands: pilot name: pilot-link version: 0.12.5-dfsg-2build2 commands: pilot-addresses,pilot-clip,pilot-csd,pilot-debugsh,pilot-dedupe,pilot-dlpsh,pilot-file,pilot-foto,pilot-foto-treo600,pilot-foto-treo650,pilot-getram,pilot-getrom,pilot-getromtoken,pilot-hinotes,pilot-install-datebook,pilot-install-expenses,pilot-install-hinote,pilot-install-memo,pilot-install-netsync,pilot-install-todo,pilot-install-todos,pilot-install-user,pilot-memos,pilot-nredir,pilot-read-expenses,pilot-read-notepad,pilot-read-palmpix,pilot-read-screenshot,pilot-read-todos,pilot-read-veo,pilot-reminders,pilot-schlep,pilot-wav,pilot-xfer name: pimd version: 2.3.2-2 commands: pimd name: pinball version: 0.3.1-14 commands: pinball name: pinball-dev version: 0.3.1-14 commands: pinball-config name: pinentry-fltk version: 1.1.0-1 commands: pinentry,pinentry-fltk,pinentry-x11 name: pinentry-gtk2 version: 1.1.0-1 commands: pinentry,pinentry-gtk-2,pinentry-x11 name: pinentry-qt version: 1.1.0-1 commands: pinentry,pinentry-qt,pinentry-x11 name: pinentry-qt4 version: 1.1.0-1 commands: pinentry,pinentry-qt4,pinentry-x11 name: pinentry-tty version: 1.1.0-1 commands: pinentry,pinentry-tty name: pinentry-x2go version: 0.7.5.9-2 commands: pinentry-x2go name: pinfo version: 0.6.9-5.2 commands: infobrowser,pinfo name: pingus version: 0.7.6-4build1 commands: pingus name: pink-pony version: 1.4.1-2.1 commands: pink-pony name: pinot version: 1.05-1.2ubuntu3 commands: pinot,pinot-dbus-daemon,pinot-index,pinot-label,pinot-prefs,pinot-search name: pinpoint version: 1:0.1.8-3 commands: pinpoint name: pinta version: 1.6-2 commands: pinta name: pinto version: 0.97+dfsg-4ubuntu1 commands: pinto,pintod name: pioneers version: 15.5-1 commands: pioneers,pioneers-editor,pioneers-server-gtk name: pioneers-console version: 15.5-1 commands: pioneers-server-console,pioneersai name: pioneers-metaserver version: 15.5-1 commands: pioneers-metaserver name: pipebench version: 0.40-4 commands: pipebench name: pipemeter version: 1.1.3-1build1 commands: pipemeter name: pipenightdreams version: 0.10.0-14build1 commands: pipenightdreams name: pipewalker version: 0.9.4-2build1 commands: pipewalker name: pipexec version: 2.5.5-1 commands: peet,pipexec,ptee name: pipsi version: 0.9-1 commands: pipsi name: pirl-image-tools version: 2.3.8-2 commands: jp2info name: pirs version: 2.0.2+dfsg-6 commands: alignment_stator,baseCalling_Matrix_analyzer,baseCalling_Matrix_calculator,baseCalling_Matrix_calculator.0,baseCalling_Matrix_merger,baseCalling_Matrix_merger.old,gc_coverage_bias,gc_coverage_bias_plot,gethist,ifollowQ,ifollowQmerge,ifollowQplot,ifqQ,indelstat_sam_bam,itilestator,loess,pifollowQmerge,pirs name: pisg version: 0.73-1 commands: pisg name: pithos version: 1.1.2-1 commands: pithos name: pitivi version: 0.99-3 commands: gst-transcoder-1.0,pitivi name: piu-piu version: 1.0-1 commands: piu-piu name: piuparts version: 0.84 commands: piuparts name: piuparts-slave version: 0.84 commands: piuparts_slave_join,piuparts_slave_run,piuparts_slave_stop name: pius version: 2.2.4-1 commands: pius,pius-keyring-mgr,pius-party-worksheet,pius-report name: pixelize version: 1.0.0-1build1 commands: make_db,pixelize name: pixelmed-apps version: 20150917-2 commands: DicomSRValidator,ImageToDicom,NIfTI1ToDicom,NRRDToDicom,PDFToDicomImage,StructuredReport,VerificationSOPClassSCU,dicomimageviewer,doseutility,ecgviewer name: pixelmed-webstart-apps version: 20150917-2 commands: ConvertAmicasJPEG2000FilesetToDicom,DicomCleaner,DicomImageBlackout,DicomImageViewer,DoseUtility,MediaImporter,WatchFolderAndSend name: pixiewps version: 1.4.2-1 commands: pixiewps name: pixmap version: 2.6pl4-20 commands: pixmap name: pixz version: 1.0.6-2build1 commands: pixz name: pk-update-icon version: 2.0.0-2 commands: pk-update-icon name: pk4 version: 5 commands: pk4,pk4-edith,pk4-generate-index,pk4-replace name: pkcs11-data version: 0.7.4-2build1 commands: pkcs11-data name: pkcs11-dump version: 0.3.4-1.1build1 commands: pkcs11-dump name: pkg-components version: 0.9 commands: dh_components,uscan-components name: pkg-haskell-tools version: 0.11.1 commands: dht name: pkg-kde-tools version: 0.15.28ubuntu1 commands: dh_kubuntu_l10n_clean,dh_kubuntu_l10n_generate,dh_movelibkdeinit,dh_qmlcdeps,dh_sameversiondep,dh_sodeps,pkgkde-debs2symbols,pkgkde-gensymbols,pkgkde-getbuildlogs,pkgkde-git,pkgkde-mark-private-symbols,pkgkde-mark-qt5-private-symbols,pkgkde-override-sc-dev-latest,pkgkde-symbolshelper,pkgkde-vcs name: pkg-perl-tools version: 0.42 commands: bts-retitle,dpt,patchedit,pristine-orig name: pkgconf version: 0.9.12-6 commands: pkg-config,pkgconf name: pkgdiff version: 1.7.2-1 commands: pkgdiff name: pkgme version: 0.1+bzr114 commands: pkgme name: pkgsync version: 1.26 commands: pkgsync name: pki-base version: 10.6.0-1ubuntu2 commands: pki-upgrade name: pki-console version: 10.6.0-1ubuntu2 commands: pkiconsole name: pki-server version: 10.6.0-1ubuntu2 commands: pki-server,pki-server-nuxwdog,pki-server-upgrade,pkidaemon,pkidestroy,pkispawn name: pki-tools version: 10.6.0-1ubuntu2 commands: AtoB,AuditVerify,BtoA,CMCEnroll,CMCRequest,CMCResponse,CMCRevoke,CMCSharedToken,CRMFPopClient,DRMTool,ExtJoiner,GenExtKeyUsage,GenIssuerAltNameExt,GenSubjectAltNameExt,HttpClient,KRATool,OCSPClient,PKCS10Client,PKCS12Export,PrettyPrintCert,PrettyPrintCrl,TokenInfo,p7tool,pki,revoker,setpin,sslget,tkstool name: pki-tps-client version: 10.6.0-1ubuntu2 commands: tpsclient name: pktanon version: 2~git20160407.0.2bde4f2+dfsg-3build1 commands: pktanon name: pktools version: 2.6.7.3+ds-1 commands: pkann,pkannogr,pkascii2img,pkascii2ogr,pkcomposite,pkcreatect,pkcrop,pkdiff,pkdsm2shadow,pkdumpimg,pkdumpogr,pkegcs,pkextractimg,pkextractogr,pkfillnodata,pkfilter,pkfilterascii,pkfilterdem,pkfsann,pkfssvm,pkgetmask,pkinfo,pkkalman,pklas2img,pkoptsvm,pkpolygonize,pkreclass,pkreclassogr,pkregann,pksetmask,pksieve,pkstat,pkstatascii,pkstatogr,pkstatprofile,pksvm,pksvmogr name: pktools-dev version: 2.6.7.3+ds-1 commands: pktools-config name: pktstat version: 1.8.5-5 commands: pktstat name: pkwalify version: 1.22.99~git3d3f0ea-1 commands: pkwalify name: placnet version: 1.03-2 commands: placnet name: plainbox version: 0.25-1 commands: plainbox name: plait version: 1.6.2-1ubuntu1 commands: plait,plaiter name: plan version: 1.10.1-5build1 commands: plan,pland name: planarity version: 3.0.0.5-1 commands: planarity name: planet-venus version: 0~git9de2109-4 commands: planet name: planetblupi version: 1.12.2-1 commands: planetblupi name: planetfilter version: 0.8.1-1 commands: planetfilter name: planets version: 0.1.13-18 commands: planets name: planfacile version: 2.0.070523-0ubuntu5 commands: planfacile name: plank version: 0.11.4-2 commands: plank name: planner version: 0.14.6-5 commands: planner name: plantuml version: 1:1.2017.15-1 commands: plantuml name: plasma-desktop version: 4:5.12.4-0ubuntu1 commands: kaccess,kapplymousetheme,kcm-touchpad-list-devices,kcolorschemeeditor,kfontinst,kfontview,knetattach,krdb,lookandfeeltool,solid-action-desktop-gen name: plasma-discover version: 5.12.4-0ubuntu1 commands: plasma-discover name: plasma-framework version: 5.44.0-0ubuntu3 commands: plasmapkg2 name: plasma-sdk version: 4:5.12.4-0ubuntu1 commands: cuttlefish,lookandfeelexplorer,plasmaengineexplorer,plasmathemeexplorer,plasmoidviewer name: plasma-workspace version: 4:5.12.4-0ubuntu3 commands: kcheckrunning,kcminit,kcminit_startup,kdostartupconfig5,klipper,krunner,ksmserver,ksplashqml,kstartupconfig5,kuiserver5,plasma_waitforname,plasmashell,plasmawindowed,startkde,systemmonitor,x-session-manager,xembedsniproxy name: plasma-workspace-wayland version: 4:5.12.4-0ubuntu3 commands: startplasmacompositor name: plasmidomics version: 0.2.0-6 commands: plasmid name: plaso version: 1.5.1+dfsg-4 commands: image_export.py,log2timeline.py,pinfo.py,preg.py,psort.py name: plastimatch version: 1.7.0+dfsg.1-1 commands: drr,fdk,landmark_warp,plastimatch name: playitslowly version: 1.5.0-1 commands: playitslowly name: playmidi version: 2.4debian-11 commands: playmidi,xplaymidi name: plee-the-bear version: 0.6.0-4build1 commands: plee-the-bear,running-bear name: plink version: 1.07+dfsg-1 commands: p-link,plink1 name: plinth version: 0.24.0 commands: plinth name: plip version: 1.3.5+dfsg-1 commands: plipcmd name: plm version: 2.6+repack-3 commands: plm name: ploop version: 1.15-5 commands: mount.ploop,ploop,ploop-balloon,umount.ploop name: plopfolio.app version: 0.1.0-7build2 commands: PlopFolio name: plotdrop version: 0.5.4-1 commands: plotdrop name: ploticus version: 2.42-4 commands: ploticus name: plotnetcfg version: 0.4.1-2 commands: plotnetcfg name: plotutils version: 2.6-9 commands: double,graph,hersheydemo,ode,pic2plot,plot,plotfont,spline,tek2plot name: plowshare version: 2.1.7-1 commands: plowdel,plowdown,plowlist,plowmod,plowprobe,plowup name: plplot-tcl-bin version: 5.13.0+dfsg-6ubuntu2 commands: plserver,pltcl name: plptools version: 1.0.13-0.3build1 commands: ncpd,plpftp,plpfuse,plpprintd,sisinstall name: plsense version: 0.3.4-1 commands: plsense,plsense-server-main,plsense-server-resolve,plsense-server-work,plsense-worker-build,plsense-worker-find name: pluginhook version: 0~20150216.0~a320158-2build1 commands: pluginhook name: plum version: 1:2.33.1-2 commands: plum name: pluma version: 1.20.1-3ubuntu1 commands: pluma name: plume-creator version: 0.66+dfsg1-3.1build2 commands: plume-creator name: plzip version: 1.7-1 commands: lzip,lzip.plzip,plzip name: pm-utils version: 1.4.1-17 commands: pm-hibernate,pm-is-supported,pm-powersave,pm-suspend,pm-suspend-hybrid name: pmacct version: 1.7.0-1 commands: nfacctd,pmacct,pmacctd,pmbgpd,pmbmpd,pmtelemetryd,sfacctd,uacctd name: pmailq version: 0.5-2 commands: pmailq name: pmccabe version: 2.6build1 commands: codechanges,decomment,pmccabe,vifn name: pmd2odg version: 0.9.6-1 commands: pmd2odg name: pmidi version: 1.7.1-1 commands: pmidi name: pmount version: 0.9.23-3build1 commands: pmount,pumount name: pms version: 0.42-1build2 commands: pms name: pmtools version: 2.0.0-2 commands: basepods,faqpods,modpods,pfcat,plxload,pmall,pman,pmcat,pmcheck,pmdesc,pmeth,pmexp,pmfunc,pminclude,pminst,pmload,pmls,pmpath,pmvers,podgrep,podpath,pods,podtoc,sitepods,stdpods name: pmuninstall version: 0.30-3 commands: pm-uninstall name: pmw version: 1:4.29-2 commands: pmw name: pnetcdf-bin version: 1.9.0-2 commands: ncmpidiff,ncmpidump,ncmpigen,ncoffsets,ncvalidator,pnetcdf-config,pnetcdf_version name: png23d version: 1.10-1.2build1 commands: png23d name: png2html version: 1.1-7 commands: png2html name: pngcheck version: 2.3.0-7 commands: pngcheck,pngsplit name: pngcrush version: 1.7.85-1build1 commands: pngcrush name: pngmeta version: 1.11-8 commands: pngmeta name: pngnq version: 1.0-2.3 commands: pngcomp,pngnq name: pngphoon version: 1.2-1build1 commands: pngphoon name: pngquant version: 2.5.0-2 commands: pngquant name: pngtools version: 0.4-1.3 commands: pngchunkdesc,pngchunks,pngcp,pnginfo name: pnmixer version: 0.7.2-1 commands: pnmixer name: pnopaste-cli version: 1.6-2 commands: nopaste-it name: pnscan version: 1.12-1 commands: ipsort,pnscan name: po4a version: 0.52-1 commands: msguntypot,po4a,po4a-build,po4a-gettextize,po4a-normalize,po4a-translate,po4a-updatepo,po4aman-display-po,po4apod-display-po name: poa version: 2.0+20060928-6 commands: poa name: poc-streamer version: 0.4.2-4build1 commands: mp3cue,mp3cut,mp3length,pob-2250,pob-3119,pob-fec,poc-2250,poc-3119,poc-fec,poc-http,pogg-http name: pocketsphinx version: 0.8.0+real5prealpha-1ubuntu2 commands: pocketsphinx_batch,pocketsphinx_continuous,pocketsphinx_mdef_convert name: pod2pdf version: 0.42-5 commands: pod2pdf name: podget version: 0.8.5-1 commands: podget name: podracer version: 1.4-4 commands: podracer name: poe.app version: 0.5.1-5build7 commands: Poe name: poedit version: 2.0.6-1build1 commands: poedit,poeditor name: pokerth version: 1.1.1-7ubuntu1 commands: pokerth name: pokerth-server version: 1.1.1-7ubuntu1 commands: pokerth_server name: polari version: 3.28.0-1 commands: polari name: polenum version: 0.2-3 commands: polenum name: policycoreutils version: 2.7-1 commands: fixfiles,genhomedircon,load_policy,restorecon,restorecon_xattr,secon,semodule,sestatus,setfiles,setsebool name: policycoreutils-dev version: 2.7-2 commands: sepolgen,sepolgen-ifgen,sepolgen-ifgen-attr-helper,sepolicy name: policycoreutils-python-utils version: 2.7-2 commands: audit2allow,audit2why,chcat,sandbox,semanage name: policycoreutils-sandbox version: 2.7-2 commands: seunshare name: policyd-rate-limit version: 0.7.1-1 commands: policyd-rate-limit name: policyd-weight version: 0.1.15.2-12 commands: policyd-weight name: polipo version: 1.1.1-8 commands: polipo name: pollen version: 4.21-0ubuntu1 commands: pollen name: polygen version: 1.0.6.ds2-18 commands: polygen name: polygen-data version: 1.0.6.ds2-18 commands: polyfind,polyrun name: polyglot version: 2.0.4-1 commands: polyglot name: polygraph version: 4.3.2-5 commands: polygraph-aka,polygraph-beepmon,polygraph-cdb,polygraph-client,polygraph-cmp-lx,polygraph-distr-test,polygraph-dns-cfg,polygraph-lr,polygraph-ltrace,polygraph-lx,polygraph-pgl-test,polygraph-pgl2acl,polygraph-pgl2eng,polygraph-pgl2ips,polygraph-pgl2ldif,polygraph-pmix2-ips,polygraph-pmix3-ips,polygraph-polymon,polygraph-polyprobe,polygraph-polyrrd,polygraph-pop-test,polygraph-reporter,polygraph-rng-test,polygraph-server,polygraph-udp2tcpd,polygraph-webaxe4-ips name: polylib-utils version: 5.22.5-4+dfsg commands: c2p,disjoint_union_adj,disjoint_union_sep,findv,pp64,r2p name: polymake-common version: 3.2r2-3 commands: polymake name: polyml version: 5.7.1-1 commands: poly,polyc,polyimport name: polyorb-servers version: 2.11~20140418-4 commands: ir_ab_names,po_catref,po_cos_naming,po_cos_naming_shell,po_createref,po_dumpir,po_ir,po_names name: pompem version: 0.2.0-3 commands: pompem name: pondus version: 0.8.0-3 commands: pondus name: pong2 version: 0.1.3-2 commands: pong2 name: pop3browser version: 0.4.1-7 commands: pop3browser name: popa3d version: 1.0.3-1build1 commands: popa3d name: popfile version: 1.1.3+dfsg-0ubuntu2 commands: popfile-bayes,popfile-insert,popfile-pipe name: poppassd version: 1.8.5-4.1 commands: poppassd name: populations version: 1.2.33+svn0120106+dfsg-1 commands: populations name: poretools version: 0.6.0+dfsg-2 commands: poretools name: porg version: 2:0.10-1.1 commands: paco2porg,porg,porgball name: pork version: 0.99.8.1-3build3 commands: pork name: portabase version: 2.1+git20120910-1.1 commands: portabase name: portreserve version: 0.0.4-1build1 commands: portrelease,portreserve name: portsentry version: 1.2-14build1 commands: portsentry name: posh version: 0.13.1 commands: posh name: post-faq version: 0.10-22 commands: post_faq name: postal version: 0.75 commands: bhm,postal,postal-list,rabid name: postbooks version: 4.10.1-1 commands: postbooks,xtuple name: postbooks-updater version: 2.4.0-5 commands: postbooks-updater name: poster version: 1:20050907-1.1 commands: poster name: posterazor version: 1.5.1-2build1 commands: PosteRazor name: postfix-gld version: 1.7-8 commands: gld name: postfix-policyd-spf-perl version: 2.010-2 commands: postfix-policyd-spf-perl name: postfix-policyd-spf-python version: 2.0.2-1 commands: policyd-spf name: postfwd version: 1.35-4 commands: postfwd,postfwd1,postfwd2 name: postgis version: 2.4.3+dfsg-4 commands: pgsql2shp,raster2pgsql,shp2pgsql name: postgis-gui version: 2.4.3+dfsg-4 commands: shp2pgsql-gui name: postgresql-10-repack version: 1.4.2-2 commands: pg_repack name: postgresql-autodoc version: 1.40-3 commands: postgresql_autodoc name: postgresql-comparator version: 2.3.0-2 commands: pg_comparator name: postgresql-filedump version: 10.0-1build1 commands: pg_filedump name: postgresql-server-dev-all version: 190 commands: dh_make_pgxs,pg_buildext name: postgrey version: 1.36-5 commands: policy-test,postgrey,postgreyreport name: postmark version: 1.53-2 commands: postmark name: postnews version: 0.7-1 commands: postnews name: postr version: 0.13.1-1 commands: postr name: postsrsd version: 1.4-1 commands: postsrsd name: potool version: 0.16-3 commands: change-po-charset,poedit,postats,potool,potooledit name: potrace version: 1.14-2 commands: mkbitmap,potrace name: povray version: 1:3.7.0.4-2 commands: povray name: power-calibrate version: 0.01.25-1 commands: power-calibrate name: powercap-utils version: 0.1.1-1 commands: powercap-info,powercap-set,rapl-info,rapl-set name: powerdebug version: 0.7.0-2013.08-1build2 commands: powerdebug name: powerline version: 2.6-1 commands: powerline,powerline-config,powerline-daemon,powerline-lint,powerline-render name: powerman version: 2.3.5-1build1 commands: httppower,plmpower,pm,powerman,powermand,vpcd name: powermanagement-interface version: 0.3.21 commands: gdm-signal,pmi name: powermanga version: 0.93.1-2 commands: powermanga name: powernap version: 2.21-0ubuntu1 commands: powernap,powernap-action,powernap-now,powernap_calculator,powernapd,powerwake-now name: powerstat version: 0.02.15-1 commands: powerstat name: powertop-1.13 version: 1.13-1ubuntu4 commands: powertop-1.13 name: powerwake version: 2.21-0ubuntu1 commands: powerwake name: powerwaked version: 2.21-0ubuntu1 commands: powerwake-monitor,powerwaked name: poxml version: 4:17.12.3-0ubuntu1 commands: po2xml,split2po,swappo,xml2pot name: pp-popularity-contest version: 1.0.6-3 commands: pp_popcon_cnt name: ppa-purge version: 0.2.8+bzr63 commands: ppa-purge name: ppdfilt version: 2:0.10-7.3 commands: ppdfilt name: ppl-dev version: 1:1.2-2build4 commands: ppl-config name: ppp-gatekeeper version: 0.1.0-201406111015-1 commands: ppp-gatekeeper name: pppoe version: 3.11-0ubuntu1 commands: pppoe,pppoe-connect,pppoe-relay,pppoe-server,pppoe-setup,pppoe-sniff,pppoe-start,pppoe-status,pppoe-stop name: pprepair version: 0.0~20170614-dd91a21-1build4 commands: pprepair name: pps-tools version: 1.0.2-1 commands: ppsctl,ppsfind,ppsldisc,ppstest,ppswatch name: ppsh version: 1.6.15-1 commands: ppsh name: pqiv version: 2.6-1 commands: pqiv name: pr3287 version: 3.6ga4-3 commands: pr3287 name: praat version: 6.0.37-2 commands: praat,praat-open-files,praat_nogui,sendpraat name: prads version: 0.3.3-1build1 commands: prads,prads-asset-report,prads2snort name: pragha version: 1.3.3-1 commands: pragha name: prank version: 0.0.170427+dfsg-1 commands: prank name: prayer version: 1.3.5-dfsg1-4build1 commands: prayer,prayer-session,prayer-ssl-prune name: prayer-accountd version: 1.3.5-dfsg1-4build1 commands: prayer-accountd name: prboom-plus version: 2:2.5.1.5+svn4531+dfsg1-1 commands: boom,doom,prboom-plus name: prboom-plus-game-server version: 2:2.5.1.5+svn4531+dfsg1-1 commands: prboom-plus-game-server name: prctl version: 1.6-1build1 commands: prctl name: predict version: 2.2.3-4build2 commands: earthtrack,fodtrack,geosat,kep_reload,moontracker,predict,predict-g1yyh name: predict-gsat version: 2.2.3-4build2 commands: gsat,predict-map name: predictnls version: 1.0.20-4 commands: predictnls name: predictprotein version: 1.1.07-3 commands: predictprotein name: prelink version: 0.0.20131005-1 commands: prelink,prelink.bin name: preload version: 0.6.4-2build1 commands: preload name: prelude-correlator version: 4.1.1-2 commands: prelude-correlator name: prelude-lml version: 4.1.0-1 commands: prelude-lml name: prelude-lml-rules version: 4.1.0-1 commands: prelude-lml-rules-check name: prelude-manager version: 4.1.1-2 commands: prelude-manager name: prelude-notify version: 0.9.1-1.1 commands: prelude-notify name: prelude-utils version: 4.1.0-4 commands: prelude-admin name: preludedb-utils version: 4.1.0-1 commands: preludedb-admin name: premake4 version: 4.3+repack1-2build1 commands: premake4 name: prepair version: 0.7.1-1build4 commands: prepair name: preprocess version: 1.1.0+ds-1build1 commands: preprocess name: prerex version: 6.5.4-1 commands: prerex name: presage version: 0.9.1-2.1ubuntu4 commands: presage_demo,presage_demo_text,presage_simulator,text2ngram name: presage-dbus version: 0.9.1-2.1ubuntu4 commands: presage_dbus_python_demo,presage_dbus_service name: presentty version: 0.2.0-1 commands: presentty,presentty-console name: preview.app version: 0.8.5-10build4 commands: Preview name: previsat version: 3.5.1.7+dfsg1-2ubuntu1 commands: PreviSat,previsat name: prewikka version: 4.1.5-2 commands: prewikka-crontab,prewikka-httpd name: price.app version: 1.3.0-1build2 commands: PRICE name: prime-phylo version: 1.0.11-4build2 commands: chainsaw,mcmc_analysis,primeDLRS,primeDTLSR,primeGEM,primeGSRf,reconcile,reroot,showtree,tree2leafnames,treesize name: primesieve-bin version: 6.3+ds-2ubuntu1 commands: primesieve name: primrose version: 6+dfsg1-4 commands: Primrose,primrose name: princeprocessor version: 0.21-3 commands: princeprocessor name: print-manager version: 4:17.12.3-0ubuntu1 commands: configure-printer,kde-add-printer,kde-print-queue name: printemf version: 1.0.9+git.10.3231442-1 commands: printemf name: printer-driver-c2050 version: 0.3b-8 commands: c2050,ps2lexmark name: printer-driver-cjet version: 0.8.9-7 commands: cjet name: printrun version: 1.6.0-1 commands: plater,printcore,pronsole,pronterface name: prips version: 1.0.2-1 commands: prips name: prism2-usb-firmware-installer version: 0.2.9+dfsg-6 commands: srec2fw name: pristine-tar version: 1.42 commands: pristine-bz2,pristine-gz,pristine-tar,pristine-xz,zgz name: privbind version: 1.2-1.1build1 commands: privbind name: privoxy version: 3.0.26-5 commands: privoxy,privoxy-log-parser,privoxy-regression-test name: proalign version: 0.603-3 commands: proalign name: probabel version: 0.4.5-5 commands: pacoxph,palinear,palogist,probabel,probabel.pl name: probalign version: 1.4-7 commands: probalign name: probcons version: 1.12-11 commands: probcons,probcons-RNA name: probcons-extra version: 1.12-11 commands: pc-compare,pc-makegnuplot,pc-project name: probert version: 0.0.14.1build2 commands: probert name: procenv version: 0.50-1 commands: procenv name: procinfo version: 1:2.0.304-3 commands: lsdev,procinfo,socklist name: procmail-lib version: 1:2009.1202-4 commands: proclint name: procmeter3 version: 3.6-1 commands: gprocmeter3,procmeter3,procmeter3-gtk2,procmeter3-gtk3,procmeter3-lcd,procmeter3-log,procmeter3-xaw name: procserv version: 2.7.0-1 commands: procServ name: procyon-decompiler version: 0.5.32-3 commands: procyon name: proda version: 1.0-11 commands: proda name: prodigal version: 1:2.6.3-1 commands: prodigal name: profanity version: 0.5.1-3 commands: profanity name: profbval version: 1.0.22-5 commands: profbval name: profile-sync-daemon version: 6.31-1 commands: profile-sync-daemon,psd,psd-overlay-helper name: profisis version: 1.0.11-4 commands: profisis name: profitbricks-api-tools version: 4.1.1-1 commands: pb-api-shell name: profnet-bval version: 1.0.22-5 commands: profnet_bval name: profnet-chop version: 1.0.22-5 commands: profnet_chop name: profnet-con version: 1.0.22-5 commands: profnet_con name: profnet-isis version: 1.0.22-5 commands: profnet_isis name: profnet-md version: 1.0.22-5 commands: profnet_md name: profnet-norsnet version: 1.0.22-5 commands: profnet_norsnet name: profnet-prof version: 1.0.22-5 commands: profnet_prof name: profnet-snapfun version: 1.0.22-5 commands: profnet_snapfun name: profphd version: 1.0.42-2 commands: prof name: profphd-net version: 1.0.22-5 commands: phd1994,profphd_net name: profphd-utils version: 1.0.10-4 commands: convert_seq,filter_hssp name: proftmb version: 1.1.12-7 commands: proftmb name: proftpd-basic version: 1.3.5e-1build1 commands: ftpasswd,ftpcount,ftpdctl,ftpquota,ftpscrub,ftpshut,ftpstats,ftptop,ftpwho,in.proftpd,proftpd,proftpd-gencert name: proftpd-dev version: 1.3.5e-1build1 commands: prxs name: progress version: 0.13.1+20171106-1 commands: progress name: progressivemauve version: 1.2.0+4713+dfsg-1 commands: addUnalignedIntervals,alignmentProjector,backbone_global_to_local,bbAnalyze,bbFilter,coordinateTranslate,createBackboneMFA,extractBCITrees,getAlignmentWindows,getOrthologList,makeBadgerMatrix,mauveAligner,mauveToXMFA,mfa2xmfa,progressiveMauve,projectAndStrip,randomGeneSample,repeatoire,scoreAlignment,stripGapColumns,stripSubsetLCBs,toGrimmFormat,toMultiFastA,toRawSequence,uniqueMerCount,uniquifyTrees,xmfa2maf name: proguard-cli version: 6.0.1-2 commands: proguard name: proguard-gui version: 6.0.1-2 commands: proguardgui name: proj-bin version: 4.9.3-2 commands: cs2cs,geod,invgeod,invproj,nad2bin,proj name: project-x version: 0.90.4dfsg-0ubuntu5 commands: projectx name: projectcenter.app version: 0.6.2-1ubuntu4 commands: ProjectCenter name: projectm-jack version: 2.1.0+dfsg-4build1 commands: projectM-jack name: projectm-pulseaudio version: 2.1.0+dfsg-4build1 commands: projectM-pulseaudio name: prolix version: 0.03-1 commands: prolix name: prometheus version: 2.1.0+ds-1 commands: prometheus,promtool name: prometheus-alertmanager version: 0.6.2+ds-3 commands: prometheus-alertmanager name: prometheus-apache-exporter version: 0.5.0+ds-1 commands: prometheus-apache-exporter name: prometheus-bind-exporter version: 0.2~git20161221+dfsg-1 commands: prometheus-bind-exporter name: prometheus-blackbox-exporter version: 0.11.0+ds-4 commands: prometheus-blackbox-exporter name: prometheus-mailexporter version: 1.0-2 commands: mailexporter name: prometheus-mongodb-exporter version: 1.0.0-2 commands: prometheus-mongodb-exporter name: prometheus-mysqld-exporter version: 0.9.0+ds-3 commands: prometheus-mysqld-exporter name: prometheus-node-exporter version: 0.15.2+ds-1 commands: prometheus-node-exporter name: prometheus-pgbouncer-exporter version: 1.7-1 commands: prometheus-pgbouncer-exporter name: prometheus-postgres-exporter version: 0.4.1+ds-2 commands: prometheus-postgres-exporter name: prometheus-pushgateway version: 0.4.0+ds-1ubuntu1 commands: prometheus-pushgateway name: prometheus-sql-exporter version: 0.2.0.ds-3 commands: prometheus-sql-exporter name: prometheus-varnish-exporter version: 1.2-1 commands: prometheus-varnish-exporter name: promoe version: 0.1.1-3build2 commands: promoe name: proofgeneral version: 4.4.1~pre170114-1 commands: coqtags,proofgeneral name: prooftree version: 0.13-1build3 commands: prooftree name: propellor version: 5.3.3-1 commands: propellor name: prosody version: 0.10.0-1build1 commands: ejabberd2prosody,prosody,prosody-migrator,prosodyctl name: proteinortho version: 5.16+dfsg-1 commands: proteinortho5 name: protobuf-c-compiler version: 1.2.1-2 commands: protoc-c name: protobuf-compiler version: 3.0.0-9.1ubuntu1 commands: protoc name: protobuf-compiler-grpc version: 1.3.2-1.1~build1 commands: grpc_cpp_plugin,grpc_csharp_plugin,grpc_node_plugin,grpc_objective_c_plugin,grpc_php_plugin,grpc_python_plugin,grpc_ruby_plugin name: protracker version: 2.3d.r92-1 commands: protracker name: prottest version: 3.4.2+dfsg-2 commands: prottest name: prov-tools version: 1.5.0-2 commands: prov-compare,prov-convert name: prover9 version: 0.0.200911a-2.1build1 commands: interpformat,isofilter,isofilter0,isofilter2,mace4,prooftrans,prover9 name: proxsmtp version: 1.10-2.1build1 commands: proxsmtpd name: proxychains version: 3.1-7 commands: proxychains name: proxychains4 version: 4.12-1 commands: proxychains4 name: proxycheck version: 0.49a-5 commands: proxycheck name: proxytrack version: 3.49.2-1build1 commands: proxytrack name: proxytunnel version: 1.9.0+svn250-6build1 commands: proxytunnel name: prt version: 0.19-2 commands: prt name: pry version: 0.11.3-1 commands: pry name: ps-watcher version: 1.08-8 commands: ps-watcher name: ps2eps version: 1.68+binaryfree-2 commands: bbox,ps2eps name: psad version: 2.4.3-1.2 commands: fwcheck_psad,kmsgsd,nf2csv,psad,psadwatchd name: psautohint version: 1.1.0-1 commands: psautohint name: pscan version: 1.2-9build1 commands: pscan name: psensor version: 1.1.5-1ubuntu3 commands: psensor name: psensor-server version: 1.1.5-1ubuntu3 commands: psensor-server name: pseudo version: 1.8.1+git20161012-2 commands: fakeroot,fakeroot-pseudo,pseudo,pseudodb,pseudolog name: psfex version: 3.17.1+dfsg-4 commands: psfex name: psi version: 1.3-3 commands: psi name: psi-plus version: 1.2.248-1 commands: psi-plus name: psi-plus-webkit version: 1.2.248-1 commands: psi-plus-webkit name: psi3 version: 3.4.0-6build2 commands: psi3 name: psi4 version: 1:1.1-5 commands: psi4 name: psignifit version: 2.5.6-4 commands: psignifit name: psk31lx version: 2.1-1build2 commands: psk31lx name: psl version: 0.19.1-5build1 commands: psl name: psl-make-dafsa version: 0.19.1-5build1 commands: psl-make-dafsa name: pslist version: 1.3.1-2 commands: pslist,rkill,rrenice name: pspg version: 0.9.3-1 commands: pspg name: pspp version: 1.0.1-1 commands: pspp,pspp-convert,pspp-dump-sav,psppire name: pspresent version: 1.3-4build1 commands: pspresent name: psrip version: 1.3-8 commands: psrip name: pssh version: 2.3.1-1 commands: parallel-nuke,parallel-rsync,parallel-scp,parallel-slurp,parallel-ssh name: pst-utils version: 0.6.71-0.1 commands: lspst,nick2ldif,pst2dii,pst2ldif,readpst name: pstoedit version: 3.70-5 commands: pstoedit name: pstotext version: 1.9-6build1 commands: pstotext name: psurface version: 2.0.0-2 commands: psurface-convert,psurface-simplify,psurface-smooth name: psutils version: 1.17.dfsg-4 commands: epsffit,extractres,fixdlsrps,fixfmps,fixpsditps,fixpspps,fixscribeps,fixtpps,fixwfwps,fixwpps,fixwwps,getafm,includeres,psbook,psjoin,psmerge,psnup,psresize,psselect,pstops,showchar name: psychopy version: 1.85.3.dfsg-1build1 commands: psychopy,psychopy_post_inst.py name: pt-websocket version: 0.2-7 commands: pt-websocket-server name: ptask version: 1.0.0-1 commands: ptask name: pterm version: 0.70-4 commands: pterm,x-terminal-emulator name: ptex2tex version: 0.4-1 commands: ptex2tex name: ptpd version: 2.3.1-debian1-3 commands: ptpd name: ptscotch version: 6.0.4.dfsg1-8 commands: dggath,dggath-int32,dggath-int64,dggath-long,dgmap,dgmap-int32,dgmap-int64,dgmap-long,dgord,dgord-int32,dgord-int64,dgord-long,dgpart,dgpart-int32,dgpart-int64,dgpart-long,dgscat,dgscat-int32,dgscat-int64,dgscat-long,dgtst,dgtst-int32,dgtst-int64,dgtst-long,ptscotch_esmumps,ptscotch_esmumps-int32,ptscotch_esmumps-int64,ptscotch_esmumps-long name: ptunnel version: 0.72-2 commands: ptunnel name: pub2odg version: 0.9.6-1 commands: pub2odg name: publican version: 4.3.2-2 commands: db4-2-db5,db5-valid,publican name: pubtal version: 3.5-1 commands: updateSite,uploadSite name: puddletag version: 1.2.0-1 commands: puddletag name: puf version: 1.0.0-7build1 commands: puf name: pulseaudio-dlna version: 0.5.3+git20170406-1 commands: pulseaudio-dlna name: pulseaudio-equalizer version: 1:11.1-1ubuntu7 commands: qpaeq name: pulseaudio-esound-compat version: 1:11.1-1ubuntu7 commands: esd,esdcompat name: pulsemixer version: 1.4.0-1 commands: pulsemixer name: pulseview version: 0.4.0-2 commands: pulseview name: pump version: 0.8.24-7.1 commands: pump name: pumpa version: 0.9.3-1 commands: pumpa name: puppet version: 5.4.0-2ubuntu3 commands: puppet name: puppet-lint version: 2.3.3-1 commands: puppet-lint name: pure-ftpd version: 1.0.46-1build1 commands: pure-authd,pure-ftpd,pure-ftpd-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-common version: 1.0.46-1build1 commands: pure-ftpd-control,pure-ftpd-wrapper name: pure-ftpd-ldap version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-ldap,pure-ftpd-ldap-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-mysql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-mysql,pure-ftpd-mysql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pure-ftpd-postgresql version: 1.0.46-1build1 commands: pure-authd,pure-ftpd-postgresql,pure-ftpd-postgresql-virtualchroot,pure-ftpwho,pure-mrtginfo,pure-pw,pure-pwconvert,pure-quotacheck,pure-statsdecode,pure-uploadscript name: pureadmin version: 0.4-0ubuntu2 commands: pureadmin name: puredata-core version: 0.48.1-3 commands: pd,puredata name: puredata-gui version: 0.48.1-3 commands: pd-gui,pd-gui-plugin name: puredata-utils version: 0.48.1-3 commands: pdreceive,pdsend name: purifyeps version: 1.1-2 commands: purifyeps name: purity version: 1-19 commands: purity name: purity-ng version: 0.2.0-2.1 commands: purity-ng name: pushpin version: 1.17.2-1 commands: m2adapter,pushpin,pushpin-handler,pushpin-proxy,pushpin-publish name: putty version: 0.70-4 commands: pageant,putty name: putty-tools version: 0.70-4 commands: plink,pscp,psftp,puttygen name: pv-grub-menu version: 1.3 commands: update-menu-lst name: pvm version: 3.4.6-1build2 commands: pvm,pvmd,pvmgetarch,pvmgs name: pvm-dev version: 3.4.6-1build2 commands: aimk,pvm_gstat,pvmgroups,tracer,trcsort name: pvm-examples version: 3.4.6-1build2 commands: dbwtest,fgexample,fmaster1,frsg,fslave1,fspmd,ge,gexamp,gexample,gmbi,gs.pvm,hello.pvm,hello_other,hitc,hitc_slave,ibwtest,inherit1,inherit2,inherit3,inherita,inheritb,joinleave,lmbi,master1,mhf_server,mhf_tickle,mtile,pbwtest,rbwtest,rme,slave1,spmd,srm.pvm,task0,task1,task_end,thb,timing,timing_slave,tjf,tjl,tnb,trsg,tst,xep name: pvpgn version: 1.8.5-2.1 commands: bnbot,bnchat,bnetd,bnftp,bni2tga,bnibuild,bniextract,bnilist,bnpass,bnstat,bntrackd,d2cs,d2dbs,pvpgn-support-installer,tgainfo name: pvrg-jpeg version: 1.2.1+dfsg1-5 commands: pvrg-jpeg name: pwauth version: 2.3.11-0.2 commands: pwauth name: pwgen version: 2.08-1 commands: pwgen name: pwget version: 2016.1019+git75c6e3e-1 commands: pwget name: pwman3 version: 0.5.1d-1 commands: pwman3 name: pwrkap version: 7.30-5 commands: pwrkap_aggregate,pwrkap_cli,pwrkap_main name: pwrkap-gui version: 7.30-5 commands: pwrkap_gtk name: pxe-kexec version: 0.2.4-3build1 commands: pxe-kexec name: pxfw version: 0.7.2-4.1 commands: pxfw name: pxsl-tools version: 1.0-5.2build2 commands: pxslcc name: pxz version: 4.999.99~beta5+gitfcfea93-2 commands: pxz name: py-cpuinfo version: 3.3.0-1 commands: py-cpuinfo name: py3status version: 3.7-1 commands: py3-cmd,py3status name: pybik version: 3.0-2 commands: pybik name: pybit-client version: 1.0.0-3 commands: pybit-client name: pybit-watcher version: 1.0.0-3 commands: pybit-watcher name: pyblosxom version: 1.5.3-2 commands: pyblosxom-cmd name: pybootchartgui version: 0+r141-0ubuntu6 commands: bootchart,pybootchartgui name: pybridge version: 0.3.0-7.2 commands: pybridge name: pybridge-server version: 0.3.0-7.2 commands: pybridge-server name: pybtctool version: 1.1.42-1 commands: pybtctool name: pybtex version: 0.21-2 commands: bibtex,bibtex.pybtex,pybtex,pybtex-convert,pybtex-format name: pyca version: 20031119-0.1ubuntu1 commands: ca-certreq-mail.py,ca-cycle-priv.py,ca-cycle-pub.py,ca-make.py,ca-revoke.py,ca2ldif.py,certs2ldap.py,copy-cacerts.py,ldap2certs.py,ns-jsconfig.py,pickle-cnf.py,print-cacerts.py name: pycarddav version: 0.7.0-1 commands: pc_query,pycard-import,pycardsyncer name: pychecker version: 0.8.19-14 commands: pychecker name: pychess version: 0.12.2-1 commands: pychess name: pycmail version: 0.1.6 commands: pycmail name: pycode-browser version: 1:1.02+git20171115-1 commands: pycode-browser,pycode-browser-book name: pycodestyle version: 2.3.1-2 commands: pycodestyle name: pyconfigure version: 0.2.3-1 commands: pyconf name: pycorrfit version: 1.0.1+dfsg-2 commands: pycorrfit name: pydb version: 1.26-2 commands: pydb name: pydf version: 12 commands: pydf name: pydocstyle version: 2.0.0-1 commands: pydocstyle name: pydxcluster version: 2.21-1 commands: pydxcluster name: pyecm version: 2.0.2-3 commands: pyecm name: pyew version: 2.0-4 commands: pyew name: pyfai version: 0.15.0+dfsg1-1 commands: MX-calibrate,check_calib,detector2nexus,diff_map,diff_tomo,eiger-mask,pyFAI-average,pyFAI-benchmark,pyFAI-calib,pyFAI-calib2,pyFAI-drawmask,pyFAI-integrate,pyFAI-recalib,pyFAI-saxs,pyFAI-waxs name: pyflakes version: 1.6.0-1 commands: pyflakes name: pyflakes3 version: 1.6.0-1 commands: pyflakes3 name: pyfr version: 1.5.0-1 commands: pyfr name: pyftpd version: 0.8.5+nmu1 commands: pyftpd name: pygopherd version: 2.0.18.5 commands: pygopherd name: pygtail version: 0.6.1-1 commands: pygtail name: pyhoca-cli version: 0.5.0.4-1 commands: pyhoca-cli name: pyhoca-gui version: 0.5.0.7-1 commands: pyhoca-gui name: pyinfra version: 0.4.1-2 commands: pyinfra name: pyjoke version: 0.5.0-2 commands: pyjoke name: pykaraoke version: 0.7.5-1.2 commands: pykaraoke name: pykaraoke-bin version: 0.7.5-1.2 commands: cdg2mpg,pycdg,pykar,pykaraoke_mini,pympg name: pylama version: 7.4.3-1 commands: pylama name: pylang version: 0.0.4-0ubuntu3 commands: pylang name: pyliblo-utils version: 0.10.0-3ubuntu5 commands: dump_osc,send_osc name: pylint version: 1.8.3-1 commands: epylint,pylint,pyreverse,symilar name: pylint3 version: 1.8.3-1 commands: epylint3,pylint3,pyreverse3,symilar3 name: pymappergui version: 0.1-2 commands: pymappergui name: pymca version: 5.2.2+dfsg-2 commands: edfviewer,elementsinfo,mca2edf,peakidentifier,pymca,pymcabatch,pymcapostbatch,pymcaroitool,rgbcorrelator name: pymetrics version: 0.8.1-7 commands: pymetrics name: pymissile version: 0.0.20060725-6 commands: pymissile,pymissile-movetointercept name: pymoctool version: 0.5.0-2ubuntu2 commands: pymoctool name: pymol version: 1.8.4.0+dfsg-1build1 commands: pymol name: pynag version: 0.9.1+dfsg-1 commands: pynag name: pynagram version: 1.0.1-1 commands: pynagram name: pynast version: 1.2.2-3 commands: pynast name: pyneighborhood version: 0.5.4-2 commands: pyNeighborhood name: pynslcd version: 0.9.9-1 commands: pynslcd name: pyntor version: 0.6-4.1 commands: pyntor,pyntor-components,pyntor-selfrun name: pyosmium version: 2.13.0-1 commands: pyosmium-get-changes,pyosmium-up-to-date name: pyp version: 2.12-2 commands: pyp name: pypass version: 0.2.0-1 commands: pypass name: pype version: 2.9.4-2 commands: pype name: pypi2deb version: 1.20170623 commands: py2dsp,pypi2debian name: pypibrowser version: 1.5-2.1 commands: pypibrowser name: pyppd version: 1.0.2-6 commands: dh_pyppd,pyppd name: pyprompter version: 0.9.1-2.1ubuntu4 commands: pyprompter name: pypump-shell version: 0.7-1 commands: pypump-shell name: pypy version: 5.10.0+dfsg-3build2 commands: pypy,pypyclean,pypycompile name: pypy-pytest version: 3.3.2-2 commands: py.test-pypy,pytest-pypy name: pyqi version: 0.3.2+dfsg-2 commands: pyqi name: pyqso version: 1.0.0-1 commands: pyqso name: pyqt4-dev-tools version: 4.12.1+dfsg-2 commands: pylupdate4,pyrcc4,pyuic4 name: pyqt5-dev-tools version: 5.10.1+dfsg-1ubuntu2 commands: pylupdate5,pyrcc5,pyuic5 name: pyracerz version: 0.2-8 commands: pyracerz name: pyragua version: 0.2.5-6 commands: pyragua name: pyrit version: 0.4.0-7.1build2 commands: pyrit name: pyrite-publisher version: 2.1.1-11 commands: pyrpub name: pyro version: 1:3.16-2 commands: pyro-es,pyro-esd,pyro-genguid,pyro-ns,pyro-nsc,pyro-nsd name: pyro-gui version: 1:3.16-2 commands: pyro-wxnsc,pyro-xnsc name: pyroman version: 0.5.0-1 commands: pyroman name: pyromaths version: 11.05.1b2-0ubuntu1 commands: pyromaths name: pysassc version: 0.12.3-2ubuntu4 commands: pysassc name: pysatellites version: 2.5-1 commands: pysatellites name: pyscanfcs version: 0.2.3+ds-1 commands: pyscanfcs name: pyscrabble version: 1.6.2-10 commands: pyscrabble name: pyscrabble-server version: 1.6.2-10 commands: pyscrabble-server name: pyside-tools version: 0.2.15-1build1 commands: pyside-lupdate,pyside-rcc,pyside-uic name: pysieved version: 1.2-1 commands: pysieved name: pysiogame version: 3.60.814-2 commands: pysiogame name: pysolfc version: 2.0-4 commands: pysolfc name: pysph-viewer version: 0~20160514.git91867dc-4build1 commands: pysph name: pyspread version: 1.1.1-1 commands: pyspread name: pysrs-bin version: 1.0.3-1 commands: envfrom2srs,srs2envtol name: pyssim version: 0.2-1 commands: pyssim name: pysycache version: 3.1-3.2 commands: pysycache name: pytagsfs version: 0.9.2-6 commands: pytags,pytagsfs name: python-aafigure version: 0.5-5 commands: aafigure name: python-acidobasic version: 2.7-3 commands: pyacidobasic name: python-actdiag version: 0.5.4+dfsg-1 commands: actdiag name: python-activipy version: 0.1-5 commands: activipy_tester,python2-activipy_tester name: python-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete,python-argcomplete-check-easy-install-script,python-argcomplete-tcsh,register-python-argcomplete name: python-asterisk version: 0.5.3-1.1 commands: asterisk-dump,py-asterisk name: python-autopep8 version: 1.3.4-1 commands: autopep8 name: python-autopilot version: 1.4.1+17.04.20170305-0ubuntu1 commands: autopilot,autopilot-sandbox-run name: python-axiom version: 0.7.5-2 commands: axiomatic name: python-backup2swift version: 0.8-1build1 commands: bu2sw name: python-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python2-bandit,python2-bandit-baseline,python2-bandit-config-generator name: python-bashate version: 0.5.1-1 commands: bashate,python2-bashate name: python-binplist version: 0.1.5-1 commands: plist.py name: python-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag name: python-bloom version: 0.6.1-1 commands: bloom-export-upstream,bloom-generate,bloom-release,bloom-update,git-bloom-branch,git-bloom-config,git-bloom-generate,git-bloom-import-upstream,git-bloom-patch,git-bloom-release name: python-bobo version: 0.2.2-3build1 commands: bobo name: python-breadability version: 0.1.20-5 commands: breadability name: python-breathe version: 4.7.3-1 commands: breathe-apidoc,python2-breathe-apidoc name: python-bumps version: 0.7.6-3 commands: bumps2 name: python-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py2 name: python-carquinyol version: 0.112-1 commands: copy-from-journal,copy-to-journal,datastore-service name: python-catkin-pkg version: 0.3.9-1 commands: catkin_create_pkg,catkin_find_pkg,catkin_generate_changelog,catkin_tag_changelog,catkin_test_changelog name: python-celery-common version: 4.1.0-2ubuntu1 commands: celery name: python-cf version: 1.3.2+dfsg1-4 commands: cfa,cfdump name: python-cgcloud-core version: 1.6.0-1 commands: cgcloud name: python-cheetah version: 2.4.4-4 commands: cheetah,cheetah-analyze,cheetah-compile name: python-chemfp version: 1.1p1-2.1 commands: ob2fps,oe2fps,rdkit2fps,sdf2fps,simsearch name: python-circuits version: 3.1.0+ds1-1 commands: circuits.bench,circuits.web name: python-ck version: 1.9.4-1 commands: ck name: python-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python2-cloudkitty name: python-cobe version: 2.1.2-1 commands: cobe name: python-commonmark-bkrs version: 0.5.4+ds-1 commands: cmark-bkrs name: python-couchdb version: 0.10-1.1 commands: couchdb-dump,couchdb-load,couchpy name: python-coverage version: 4.5+dfsg.1-3 commands: python-coverage,python2-coverage,python2.7-coverage name: python-cram version: 0.7-1 commands: cram name: python-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py2,csscombine,csscombine_py2,cssparse,cssparse_py2 name: python-custodia version: 0.5.0-3 commands: custodia,custodia-cli name: python-cymruwhois version: 1.6-2.1 commands: cymruwhois,python-cymruwhois name: python-dcmstack version: 0.6.2+git33-gb43919a.1-1 commands: dcmstack,nitool name: python-demjson version: 2.2.4-2 commands: jsonlint-py name: python-dib-utils version: 0.0.6-2 commands: dib-run-parts,python2-dib-run-parts name: python-dijitso version: 2017.2.0.0-2 commands: dijitso name: python-dipy version: 0.13.0-2 commands: dipy_mask,dipy_median_otsu,dipy_nlmeans,dipy_reconst_csa,dipy_reconst_csd,dipy_reconst_dti,dipy_reconst_dti_restore name: python-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python2-dib-block-device,python2-dib-lint,python2-disk-image-create,python2-element-info,python2-ramdisk-image-create,ramdisk-image-create name: python-distutils-extra version: 2.41ubuntu1 commands: python-mkdebian name: python-dkim version: 0.7.1-1 commands: arcsign,arcverify,dkimsign,dkimverify,dknewkey name: python-doc8 version: 0.6.0-4 commands: doc8,python2-doc8 name: python-dogtail version: 0.9.9-1 commands: dogtail-detect-session,dogtail-logout,dogtail-run-headless,dogtail-run-headless-next,sniff name: python-dpm version: 1.10.0-2 commands: dpm-listspaces name: python-dtest version: 0.5.0-0ubuntu1 commands: run-dtests name: python-duckduckgo2 version: 0.242+git20151019-1 commands: ddg,ia name: python-easydev version: 0.9.35+dfsg-2 commands: easydev2_browse,easydev2_buildPackage name: python-empy version: 3.3.2-1build1 commands: empy name: python-epsilon version: 0.7.1-1 commands: certcreate,epsilon-benchmark name: python-epydoc version: 3.0.1+dfsg-17 commands: epydoc,epydocgui name: python-escript version: 5.1-5 commands: run-escript,run-escript2 name: python-escript-mpi version: 5.1-5 commands: run-escript,run-escript2-mpi name: python-ethtool version: 0.12-1.1 commands: pethtool,pifconfig name: python-evtx version: 0.6.1-1 commands: evtx_dump.py,evtx_dump_chunk_slack.py,evtx_eid_record_numbers.py,evtx_extract_record.py,evtx_filter_records.py,evtx_info.py,evtx_record_structure.py,evtx_structure.py,evtx_templates.py name: python-exabgp version: 4.0.2-2 commands: exabgp,python2-exabgp name: python-excelerator version: 0.6.4.1-3 commands: py_xls2csv,py_xls2html,py_xls2txt name: python-expyriment version: 0.7.0+git34-g55a4e7e-3.3 commands: expyriment-cli name: python-falcon version: 1.0.0-2build3 commands: falcon-bench,python2-falcon-bench name: python-feedvalidator version: 0~svn1022-3 commands: feedvalidator name: python-ferret version: 7.3-1 commands: pyferret,pyferret2 name: python-ffc version: 2017.2.0.post0-2 commands: ffc,ffc-2 name: python-flower version: 0.8.3+dfsg-3 commands: flower name: python-fmcs version: 1.0-1 commands: fmcs name: python-foolscap version: 0.13.1-1 commands: flappclient,flappserver,flogtool name: python-forgetsql version: 0.5.1-13 commands: forgetsql-generate name: python-fs version: 0.5.4-1 commands: fscat,fscp,fsinfo,fsls,fsmkdir,fsmount,fsmv,fsrm,fsserve,fstree name: python-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python2-gabbi-run name: python-gamera.toolkits.greekocr version: 1.0.1-10 commands: greekocr4gamera name: python-gamera.toolkits.ocr version: 1.2.2-5 commands: ocr4gamera name: python-gdal version: 2.2.3+dfsg-2 commands: epsg_tr.py,esri2wkt.py,gcps2vec.py,gcps2wld.py,gdal2tiles.py,gdal2xyz.py,gdal_auth.py,gdal_calc.py,gdal_edit.py,gdal_fillnodata.py,gdal_merge.py,gdal_pansharpen.py,gdal_polygonize.py,gdal_proximity.py,gdal_retile.py,gdal_sieve.py,gdalchksum.py,gdalcompare.py,gdalident.py,gdalimport.py,gdalmove.py,mkgraticule.py,ogrmerge.py,pct2rgb.py,rgb2pct.py name: python-gear version: 0.5.8-4 commands: geard,python2-geard name: python-gflags version: 1.5.1-5 commands: gflags2man,python2-gflags2man name: python-git-os-job version: 1.0.1-2 commands: git-os-job,python2-git-os-job name: python-glare version: 0.4.1-3ubuntu1 commands: glare-api,glare-db-manage,glare-scrubber name: python-glareclient version: 0.5.2-0ubuntu1 commands: glare,python2-glare name: python-gnatpython version: 54-3build1 commands: gnatpython-mainloop,gnatpython-opt-parser,gnatpython-rlimit name: python-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-gobject-2-dev version: 2.28.6-12ubuntu3 commands: pygobject-codegen-2.0 name: python-googlecloudapis version: 0.9.30+debian1-2 commands: python2-google-api-tools name: python-gps version: 3.17-5 commands: gpscat,gpsfake,gpsprof name: python-gtk2-dev version: 2.24.0-5.1ubuntu2 commands: pygtk-codegen-2.0 name: python-gtk2-doc version: 2.24.0-5.1ubuntu2 commands: pygtk-demo name: python-guidata version: 1.7.6-1 commands: guidata-tests-py2 name: python-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py2,sift-py2 name: python-hachoir-metadata version: 1.3.3-2 commands: hachoir-metadata,hachoir-metadata-gtk,hachoir-metadata-qt name: python-hachoir-subfile version: 0.5.3-3 commands: hachoir-subfile name: python-hachoir-urwid version: 1.1-3 commands: hachoir-urwid name: python-hachoir-wx version: 0.3-3 commands: hachoir-wx name: python-halberd version: 0.2.4-2 commands: halberd name: python-hpilo version: 3.9-1 commands: hpilo_cli name: python-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py2 name: python-hupper version: 1.0-2 commands: hupper name: python-hy version: 0.12.1-2 commands: hy,hy2,hy2py,hy2py2,hyc,hyc2 name: python-impacket version: 0.9.15-1 commands: impacket-netview,impacket-rpcdump,impacket-samrdump,impacket-secretsdump,impacket-wmiexec name: python-instant version: 2017.2.0.0-2 commands: instant-clean,instant-showcache name: python-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python2-inv,python2-invoke name: python-ipdb version: 0.10.3-1 commands: ipdb name: python-ironic-inspector version: 7.2.0-0ubuntu1 commands: ironic-inspector,ironic-inspector-dbsync,ironic-inspector-rootwrap name: python-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python2-ironic name: python-itango version: 0.1.7-1 commands: itango,itango-qt name: python-jenkinsapi version: 0.2.30-1 commands: jenkins_invoke,jenkinsapi_version name: python-jira version: 1.0.10-1 commands: python2-jirashell name: python-jpylyzer version: 1.18.0-2 commands: jpylyzer name: python-jsonpipe version: 0.0.8-5 commands: jsonpipe,jsonunpipe name: python-jsonrpc2 version: 0.4.1-2 commands: runjsonrpc2 name: python-kaa-metadata version: 0.7.7+svn4596-4 commands: mminfo name: python-karborclient version: 1.0.0-2 commands: karbor,python2-karbor name: python-keepkey version: 0.7.3-1 commands: keepkeyctl name: python-keyczar version: 0.716+ds-1ubuntu1 commands: keyczart name: python-kid version: 0.9.6-3 commands: kid,kidc name: python-kiwi version: 1.9.22-4 commands: kiwi-i18n,kiwi-ui-test name: python-lamson version: 1.0pre11-1.3 commands: lamson name: python-landslide version: 1.1.3-0.0 commands: landslide name: python-larch version: 1.20151025-1 commands: fsck-larch name: python-launchpadlib-toolkit version: 2.3 commands: close-fix-committed-bugs,current-ubuntu-development-codename,current-ubuntu-release-codename,current-ubuntu-supported-releases,find-similar-bugs,launchpad-service-status,lp-file-bug,ls-assigned-bugs name: python-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python2-lesscpy name: python-lhapdf version: 5.9.1-6 commands: lhapdf-getdata,lhapdf-query name: python-libavg version: 1.8.2-1 commands: avg_audioplayer,avg_checkpolygonspeed,avg_checkspeed,avg_checktouch,avg_checkvsync,avg_chromakey,avg_jitterfilter,avg_showcamera,avg_showfile,avg_showfont,avg_showsvg,avg_videoinfo,avg_videoplayer name: python-logilab-common version: 1.4.1-1 commands: logilab-pytest name: python-loofah version: 0.1-1 commands: loofah-nuke,loofah-query,loofah-rebuild,loofah-update name: python-lunch version: 0.4.0-2 commands: lunch,lunch-slave name: python-magnum version: 6.1.0-0ubuntu1 commands: magnum-api,magnum-conductor,magnum-db-manage,magnum-driver-manage name: python-mandrill version: 1.0.57-1 commands: mandrill,sendmail.mandrill name: python-markdown version: 2.6.9-1 commands: markdown_py name: python-mecavideo version: 6.3-1 commands: pymecavideo name: python-memory-profiler version: 0.52-1 commands: python-mprof name: python-memprof version: 0.3.4-1build3 commands: mp_plot name: python-mido version: 1.2.7-2 commands: mido-connect,mido-play,mido-ports,mido-serve name: python-mini-buildd version: 1.0.33 commands: mini-buildd-tool name: python-misaka version: 1.0.2-5build3 commands: misaka,python2-misaka name: python-mlpy version: 2.2.0~dfsg1-3build3 commands: borda,canberra,canberraq,dlda-landscape,fda-landscape,irelief-sigma,knn-landscape,pda-landscape,srda-landscape,svm-landscape name: python-mne version: 0.15.2+dfsg-2 commands: mne name: python-moksha.hub version: 1.4.1-2 commands: moksha-hub name: python-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python2-murano-pkg-check name: python-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python2-murano name: python-mutagen version: 1.38-1 commands: mid3cp,mid3iconv,mid3v2,moggsplit,mutagen-inspect,mutagen-pony name: python-mvpa2 version: 2.6.4-2 commands: pymvpa2,pymvpa2-prep-afni-surf,pymvpa2-prep-fmri,pymvpa2-tutorial name: python-mygpoclient version: 1.8-1 commands: mygpo2-bpsync,mygpo2-list-devices,mygpo2-simple-client name: python-napalm-base version: 0.25.0-1 commands: cl_napalm_configure,cl_napalm_test,cl_napalm_validate,napalm name: python-ndg-httpsclient version: 0.4.4-1 commands: ndg_httpclient name: python-networking-bagpipe version: 8.0.0-0ubuntu1 commands: bagpipe-bgp,bagpipe-bgp-cleanup,bagpipe-fakerr,bagpipe-impex2dot,bagpipe-looking-glass,bagpipe-rest-attach,neutron-bagpipe-linuxbridge-agent name: python-networking-hyperv version: 6.0.0-0ubuntu1 commands: neutron-hnv-agent,neutron-hnv-metadata-proxy,neutron-hyperv-agent name: python-networking-l2gw version: 1:12.0.1-0ubuntu1 commands: neutron-l2gateway-agent name: python-networking-odl version: 1:12.0.0-0ubuntu1 commands: neutron-odl-analyze-journal-logs,neutron-odl-ovs-hostconfig name: python-networking-ovn version: 4.0.0-0ubuntu1 commands: networking-ovn-metadata-agent,neutron-ovn-db-sync-util name: python-neuroshare version: 0.9.2-1 commands: ns-convert name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1 commands: neutron-bgp-dragent name: python-neutron-vpnaas version: 2:12.0.0-0ubuntu1 commands: neutron-vpn-netns-wrapper,neutron-vyatta-agent name: python-nevow version: 0.14.2-1 commands: nevow-xmlgettext,nit name: python-nibabel version: 2.2.1-1 commands: nib-dicomfs,nib-ls,nib-nifti-dx,parrec2nii name: python-nifti version: 0.20100607.1-4.1 commands: pynifti_pst name: python-nipy version: 0.4.2-1 commands: nipy_3dto4d,nipy_4d_realign,nipy_4dto3d,nipy_diagnose,nipy_tsdiffana name: python-nipype version: 1.0.0+git69-gdb2670326-1 commands: nipypecli name: python-nose version: 1.3.7-3 commands: nosetests,nosetests-2.7 name: python-nose2 version: 0.7.4-1 commands: nose2,nose2-2.7 name: python-nototools version: 0~20170925-1 commands: add_vs_cmap name: python-numba version: 0.34.0-3 commands: numba name: python-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag,packetdiag,rackdiag name: python-nwsclient version: 1.6.4-8build1 commands: PythonNWSSleighWorker,pybabelfish,pybabelfishd name: python-nxt version: 2.2.2-4 commands: nxt_push,nxt_server,nxt_test name: python-nxt-filer version: 2.2.2-4 commands: nxt_filer name: python-odf-tools version: 1.3.6-2 commands: csv2ods,mailodf,odf2mht,odf2xhtml,odf2xml,odfimgimport,odflint,odfmeta,odfoutline,odfuserfield,xml2odf name: python-ofxclient version: 2.0.2+git20161018-1 commands: ofxclient name: python-opcua-tools version: 0.90.3-1 commands: uabrowse,uaclient,uadiscover,uahistoryread,uals,uaread,uaserver,uasubscribe,uawrite name: python-openstack-compute version: 2.0a1-0ubuntu3 commands: openstack-compute name: python-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python2-doc-tools-build-rst,python2-doc-tools-check-languages,python2-doc-tools-update-cli-reference,python2-openstack-auto-commands,python2-openstack-indexpage,python2-openstack-jsoncheck name: python-os-apply-config version: 0.1.14-1 commands: os-apply-config,os-config-applier name: python-os-cloud-config version: 0.2.6-1 commands: generate-keystone-pki,init-keystone,init-keystone-heat-domain,register-nodes,setup-endpoints,setup-flavors,setup-neutron,upload-kernel-ramdisk name: python-os-collect-config version: 0.1.15-1 commands: os-collect-config name: python-os-faults version: 0.1.17-0ubuntu1.1 commands: os-faults,os-inject-fault name: python-os-net-config version: 0.1.0-1 commands: os-net-config name: python-os-refresh-config version: 0.1.2-1 commands: os-refresh-config name: python-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python2-generate-subunit,python2-ostestr,python2-subunit-trace,python2-subunit2html,subunit-trace,subunit2html name: python-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python2-oslo_debug_helper,python2-oslo_run_cross_tests,python2-oslo_run_pre_release_tests name: python-paver version: 1.2.1-1.1 commands: paver name: python-pbcore version: 1.2.11+dfsg-1ubuntu1 commands: pbopen name: python-pdfminer version: 20140328+dfsg-1 commands: dumppdf,latin2ascii,pdf2txt name: python-pebl version: 1.0.2-4 commands: pebl name: python-petname version: 2.2-0ubuntu1 commands: python-petname name: python-pip version: 9.0.1-2 commands: pip,pip2 name: python-plastex version: 0.9.2-1.2 commands: plastex name: python-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python-potr version: 1.0.1-1.1 commands: convertkey name: python-pp version: 1.6.5-1 commands: ppserver name: python-pprofile version: 1.11.0-1 commands: pprofile2 name: python-presage version: 0.9.1-2.1ubuntu4 commands: presage_python_demo name: python-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python2-gen_protorpc name: python-pudb version: 2017.1.4-1 commands: pudb name: python-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python2-pulpdoctest,python2-pulptest name: python-pycallgraph version: 1.0.1-1 commands: pycallgraph name: python-pycassa version: 1.11.2.1-1 commands: pycassaShell name: python-pycha version: 0.7.0-2 commands: chavier name: python-pydhcplib version: 0.6.2-3 commands: pydhcp name: python-pydoctor version: 16.3.0-1 commands: pydoctor name: python-pyevolve version: 0.6~rc1+svn398+dfsg-9 commands: pyevolve-graph name: python-pyghmi version: 1.0.32-4 commands: python2-pyghmicons,python2-pyghmiutil,python2-virshbmc name: python-pykickstart version: 1.83-2 commands: ksflatten,ksvalidator,ksverdiff name: python-pykmip version: 0.7.0-2 commands: pykmip-server,python2-pykmip-server name: python-pymetar version: 0.19-1 commands: pymetar name: python-pyoptical version: 0.4-1.1 commands: pyoptical name: python-pyramid version: 1.6+dfsg-1.1 commands: pcreate,pdistreport,prequest,proutes,pserve,pshell,ptweens,pviews name: python-pyres version: 1.5-1 commands: pyres_manager,pyres_scheduler,pyres_worker name: python-pyrex version: 0.9.9-1 commands: pyrexc,python2.7-pyrexc name: python-pyroma version: 2.0.2-1ubuntu1 commands: pyroma name: python-pyruntest version: 0.1+13.10.20130702-0ubuntu3 commands: pyruntest name: python-pyscript version: 0.6.1-4 commands: pyscript name: python-pysrt version: 1.0.1-1 commands: srt name: python-pystache version: 0.5.4-6 commands: pystache name: python-pytest version: 3.3.2-2 commands: py.test,pytest name: python-pyvows version: 2.1.0-2 commands: pyvows name: python-pywbem version: 0.8.0~dev650-1 commands: mof_compiler.py,wbemcli.py name: python-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump,pyxbgen,pyxbwsdl name: python-q-text-as-data version: 1.4.0-2 commands: python2-q-text-as-data,q name: python-qpid version: 1.37.0+dfsg-1 commands: qpid-python-test name: python-qrcode version: 5.3-1 commands: python2-qr,qr name: python-qt4reactor version: 1.0-1fakesync1 commands: gtrial name: python-qwt version: 0.5.5-1 commands: PythonQwt-tests-py2 name: python-rbtools version: 0.7.11-1 commands: rbt name: python-rdflib-tools version: 4.2.1-2 commands: csv2rdf,rdf2dot,rdfgraphisomorphism,rdfpipe,rdfs2dot name: python-remotecv version: 2.2.1-1 commands: remotecv,remotecv-web name: python-reno version: 2.5.0-1 commands: python2-reno,reno name: python-restkit version: 4.2.2-2 commands: restcli name: python-restructuredtext-lint version: 0.12.2-2 commands: python2-restructuredtext-lint,python2-rst-lint,restructuredtext-lint,rst-lint name: python-rfoo version: 1.3.0-2 commands: rfoo-rconsole name: python-rgain version: 1.3.4-1 commands: collectiongain,replaygain name: python-ricky version: 0.1-1 commands: ricky-forge-changes,ricky-upload name: python-rosbag version: 1.13.5+ds1-3 commands: rosbag name: python-rosboost-cfg version: 1.14.2-1 commands: rosboost-cfg name: python-rosclean version: 1.14.2-1 commands: rosclean name: python-roscreate version: 1.14.2-1 commands: roscreate-pkg name: python-rosdep2 version: 0.11.8-1 commands: rosdep,rosdep-source name: python-rosdistro version: 0.6.6-1 commands: rosdistro_build_cache,rosdistro_freeze_source,rosdistro_migrate_to_rep_141,rosdistro_migrate_to_rep_143,rosdistro_reformat name: python-rosgraph version: 1.13.5+ds1-3 commands: rosgraph name: python-rosinstall version: 0.7.7-6 commands: rosco,rosinstall,roslocate,rosws name: python-rosinstall-generator version: 0.1.13-3 commands: rosinstall_generator name: python-roslaunch version: 1.13.5+ds1-3 commands: roscore,roslaunch,roslaunch-complete,roslaunch-deps,roslaunch-logs name: python-rosmake version: 1.14.2-1 commands: rosmake name: python-rosmaster version: 1.13.5+ds1-3 commands: rosmaster name: python-rosmsg version: 1.13.5+ds1-3 commands: rosmsg,rosmsg-proto,rossrv name: python-rosnode version: 1.13.5+ds1-3 commands: rosnode name: python-rosparam version: 1.13.5+ds1-3 commands: rosparam name: python-rospkg version: 1.1.4-1 commands: rosversion name: python-rosservice version: 1.13.5+ds1-3 commands: rosservice name: python-rostest version: 1.13.5+ds1-3 commands: rostest name: python-rostopic version: 1.13.5+ds1-3 commands: rostopic name: python-rosunit version: 1.14.2-1 commands: rosunit name: python-roswtf version: 1.13.5+ds1-3 commands: roswtf name: python-rsa version: 3.4.2-1 commands: pyrsa-decrypt,pyrsa-decrypt-bigfile,pyrsa-encrypt,pyrsa-encrypt-bigfile,pyrsa-keygen,pyrsa-priv2pub,pyrsa-sign,pyrsa-verify name: python-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python2 name: python-sagenb version: 1.0.1+ds1-2 commands: sage3d name: python-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python2 name: python-scapy version: 2.3.3-3 commands: scapy name: python-schema-salad version: 2.6.20171201034858-3 commands: schema-salad-doc,schema-salad-tool name: python-scrapy version: 1.5.0-1 commands: python2-scrapy name: python-searpc version: 3.0.8-1 commands: searpc-codegen name: python-securepass version: 0.4.6-1 commands: sp-app-add,sp-app-del,sp-app-info,sp-app-mod,sp-apps,sp-config,sp-group-member,sp-logs,sp-radius-add,sp-radius-del,sp-radius-info,sp-radius-list,sp-radius-mod,sp-realm-xattrs,sp-sshkey,sp-user-add,sp-user-auth,sp-user-del,sp-user-info,sp-user-passwd,sp-user-provision,sp-user-xattrs,sp-users name: python-senlin version: 5.0.0-0ubuntu1 commands: senlin-api,senlin-engine,senlin-manage,senlin-wsgi-api name: python-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag name: python-sfepy version: 2016.2-4 commands: sfepy-run name: python-shade version: 1.7.0-2 commands: shade-inventory name: python-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip name: python-smartypants version: 2.0.0-1 commands: smartypants name: python-socksipychain version: 2.0.15-2 commands: sockschain name: python-spykeutils version: 0.4.3-1 commands: spykeplugin name: python-sqlkit version: 0.9.6.1-2build1 commands: sqledit name: python-stdeb version: 0.8.5-1 commands: py2dsc,py2dsc-deb,pypi-download,pypi-install name: python-stem version: 1.6.0-1 commands: python2-tor-prompt,tor-prompt name: python-stestr version: 1.1.0-0ubuntu2 commands: python2-stestr,stestr name: python-subunit2sql version: 1.8.0-5 commands: python2-sql2subunit,python2-subunit2sql,python2-subunit2sql-db-manage,python2-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python-subversion version: 1.9.7-4ubuntu1 commands: svnshell name: python-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy2-fast-export name: python-sugar3 version: 0.112-1 commands: sugar-activity,sugar-activity-web name: python-surfer version: 0.7-2 commands: pysurfer name: python-tackerclient version: 0.11.0-0ubuntu1 commands: python2-tacker,tacker name: python-taurus version: 4.0.3+dfsg-1 commands: taurusconfigbrowser,tauruscurve,taurusdesigner,taurusdevicepanel,taurusform,taurusgui,taurusiconcatalog,taurusimage,tauruspanel,taurusplot,taurustestsuite,taurustrend,taurustrend1d,taurustrend2d name: python-tegakitools version: 0.3.1-1.1 commands: tegaki-bootstrap,tegaki-build,tegaki-convert,tegaki-eval,tegaki-render,tegaki-stats name: python-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,python2-subunit-describe-calls,python2-tempest,python2-tempest-account-generator,python2-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python2-check-uuid,python2-skip-tracker,skip-tracker name: python-testrepository version: 0.0.20-3 commands: testr,testr-python2 name: python-tifffile version: 20170929-1ubuntu1 commands: tifffile name: python-tlslite-ng version: 0.7.4-1 commands: tls-python2,tlsdb-python2 name: python-transmissionrpc version: 0.11-3 commands: helical name: python-treetime version: 0.0+20170607-1 commands: ancestral_reconstruction,temporal_signal,timetree_inference name: python-tuskarclient version: 0.1.18-1 commands: tuskar name: python-twill version: 0.9-4 commands: twill-fork,twill-sh name: python-txosc version: 0.2.0-2 commands: osc-receive,osc-send name: python-ufl version: 2017.2.0.0-2 commands: ufl-analyse,ufl-convert,ufl-version,ufl2py name: python-unidiff version: 0.5.4-1 commands: python-unidiff name: python-van.pydeb version: 1.3.3-2 commands: dh_pydeb,van-pydeb name: python-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: vmbuilder name: python-vmware-nsx version: 12.0.1-0ubuntu1 commands: neutron-check-nsx-config,nsx-migration,nsxadmin name: python-vtk6 version: 6.3.0+dfsg1-11build1 commands: pvtk,pvtkpython,vtk6python,vtkWrapPython-6.3,vtkWrapPythonInit-6.3 name: python-watchdog version: 0.8.3-2 commands: watchmedo name: python-watcher version: 1:1.8.0-0ubuntu1 commands: watcher-api,watcher-applier,watcher-db-manage,watcher-decision-engine,watcher-sync name: python-watcherclient version: 1.6.0-0ubuntu1 commands: python2-watcher,watcher name: python-webdav version: 0.9.8-12 commands: davserver name: python-weboob version: 1.2-1 commands: weboob,weboob-cli,weboob-config,weboob-debug,weboob-repos name: python-websocket version: 0.44.0-0ubuntu2 commands: python2-wsdump,wsdump name: python-websockify version: 0.8.0+dfsg1-9 commands: python2-websockify,websockify name: python-wheel-common version: 0.30.0-0.2 commands: wheel name: python-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python2 name: python-whisper version: 1.0.2-1 commands: find-corrupt-whisper-files,rrd2whisper,update-storage-times,whisper-auto-resize,whisper-auto-update,whisper-create,whisper-diff,whisper-dump,whisper-fetch,whisper-fill,whisper-info,whisper-merge,whisper-resize,whisper-set-aggregation-method,whisper-set-xfilesfactor,whisper-update name: python-whiteboard version: 1.0+git20170915-1 commands: python-whiteboard name: python-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker name: python-woo version: 1.0+dfsg1-2 commands: woo,woo-batch name: python-wstool version: 0.1.13-4 commands: wstool name: python-wxmpl version: 2.0.0-2.1 commands: plotit name: python-wxtools version: 3.0.2.0+dfsg-7 commands: helpviewer,img2png,img2py,img2xpm,pyalacarte,pyalamode,pycrust,pyshell,pywrap,pywxrc,xrced name: python-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf name: python-xlrd version: 1.1.0-1 commands: runxlrd name: python-yt version: 3.4.0-3 commands: iyt2,yt2 name: python-yubico-tools version: 1.3.2-1 commands: yubikey-totp name: python-zc.buildout version: 1.7.1-1 commands: buildout name: python-zconfig version: 3.1.0-1 commands: zconfig,zconfig_schema2html name: python-zdaemon version: 2.0.7-1 commands: zdaemon name: python-zhpy version: 1.7.3.1-1.1 commands: zhpy name: python-zodb version: 1:3.10.7-1build1 commands: fsdump,fsoids,fsrefs,fstail,repozo,runzeo,zeoctl,zeopack,zeopasswd name: python-zope.app.appsetup version: 3.16.0-0ubuntu1 commands: zope-debug name: python-zope.app.locales version: 3.7.4-0ubuntu1 commands: zope-i18nextract name: python-zope.sendmail version: 3.7.5-0ubuntu1 commands: zope-sendmail name: python-zope.testrunner version: 4.4.9-1 commands: zope-testrunner name: python-zsi version: 2.1~a1-4 commands: wsdl2py name: python-zunclient version: 1.1.0-0ubuntu1 commands: python2-zun,zun name: python2-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-actdiag version: 0.5.4+dfsg-1 commands: actdiag3 name: python3-activipy version: 0.1-5 commands: activipy_tester,python3-activipy_tester name: python3-afl version: 0.6.1-1build1 commands: py-afl-cmin,py-afl-fuzz,py-afl-showmap,py-afl-tmin name: python3-aiocoap version: 0.3-1 commands: aiocoap-client,aiocoap-proxy name: python3-aiosmtpd version: 1.1-5 commands: aiosmtpd name: python3-aiozmq version: 0.7.1-2 commands: aiozmq-proxy name: python3-amp version: 0.6-3 commands: amp-compress,amp-plotconvergence name: python3-aodhclient version: 1.0.0-0ubuntu1 commands: aodh,python3-aodh name: python3-api-hour version: 0.8.2-1 commands: api_hour name: python3-argcomplete version: 1.8.1-1ubuntu1 commands: activate-global-python-argcomplete3,python-argcomplete-check-easy-install-script3,python-argcomplete-tcsh3,register-python-argcomplete3 name: python3-autopilot version: 1.6.0+17.04.20170313-0ubuntu3 commands: autopilot3,autopilot3-sandbox-run name: python3-avro version: 1.8.2+dfsg-1 commands: avro name: python3-backup2swift version: 0.8-1build1 commands: bu2sw3 name: python3-bandit version: 1.4.0-0ubuntu2 commands: bandit,bandit-baseline,bandit-config-generator,python3-bandit,python3-bandit-baseline,python3-bandit-config-generator name: python3-barbicanclient version: 4.6.0-0ubuntu1 commands: barbican,python3-barbican name: python3-barectf version: 2.3.0-4 commands: barectf name: python3-bashate version: 0.5.1-1 commands: bashate,python3-bashate name: python3-behave version: 1.2.5-2 commands: behave name: python3-biomaj3 version: 3.1.3-1 commands: biomaj_migrate_database.py name: python3-biomaj3-cli version: 3.1.9-1 commands: biomaj-cli,biomaj-cli.py name: python3-biomaj3-daemon version: 3.0.14-1 commands: biomaj-daemon-consumer,biomaj-daemon-web,biomaj_daemon_consumer.py name: python3-biomaj3-download version: 3.0.14-1 commands: biomaj-download-consumer,biomaj-download-web,biomaj_download_consumer.py name: python3-biomaj3-process version: 3.0.10-1 commands: biomaj-process-consumer,biomaj-process-web,biomaj_process_consumer.py name: python3-biomaj3-user version: 3.0.6-1 commands: biomaj-users,biomaj-users-web,biomaj-users.py name: python3-biotools version: 1.2.12-2 commands: grepseq,prok-geneseek name: python3-bip32utils version: 0.0~git20170118.dd9c541-1 commands: bip32gen name: python3-blockdiag version: 1.5.3+dfsg-5.1 commands: blockdiag3 name: python3-breathe version: 4.7.3-1 commands: breathe-apidoc,python3-breathe-apidoc name: python3-buildbot version: 1.1.1-3ubuntu5 commands: buildbot name: python3-buildbot-worker version: 1.1.1-3ubuntu5 commands: buildbot-worker name: python3-bumps version: 0.7.6-3 commands: bumps name: python3-cairosvg version: 1.0.20-1 commands: cairosvg,cairosvg-py3 name: python3-ceilometerclient version: 2.9.0-0ubuntu1 commands: ceilometer,python3-ceilometer name: python3-cherrypy3 version: 8.9.1-2 commands: cherryd3 name: python3-cinderclient version: 1:3.5.0-0ubuntu1 commands: cinder,python3-cinder name: python3-circuits version: 3.1.0+ds1-1 commands: circuits.bench3,circuits.web3 name: python3-citeproc version: 0.3.0-2 commands: csl_unsorted name: python3-ck version: 1.9.4-1 commands: ck name: python3-cloudkitty version: 7.0.0-4 commands: cloudkitty-api,cloudkitty-dbsync,cloudkitty-processor,cloudkitty-storage-init,cloudkitty-writer name: python3-cloudkittyclient version: 1.2.0-4 commands: cloudkitty,python3-cloudkitty name: python3-compreffor version: 0.4.6-1 commands: compreffor name: python3-coverage version: 4.5+dfsg.1-3 commands: python3-coverage,python3.6-coverage name: python3-cram version: 0.7-1 commands: cram3 name: python3-cssutils version: 1.0.2-1 commands: csscapture,csscapture_py3,csscombine,csscombine_py3,cssparse,cssparse_py3 name: python3-cymruwhois version: 1.6-2.1 commands: cymruwhois,python3-cymruwhois name: python3-debianbts version: 2.7.2 commands: debianbts name: python3-debiancontributors version: 0.7.7-1 commands: dc-tool name: python3-demjson version: 2.2.4-2 commands: jsonlint-py3 name: python3-designateclient version: 2.9.0-0ubuntu1 commands: designate,python3-designate name: python3-dib-utils version: 0.0.6-2 commands: dib-run-parts,python3-dib-run-parts name: python3-dijitso version: 2017.2.0.0-2 commands: dijitso-3 name: python3-diskimage-builder version: 2.11.0-0ubuntu1 commands: dib-block-device,dib-lint,disk-image-create,element-info,python3-dib-block-device,python3-dib-lint,python3-disk-image-create,python3-element-info,python3-ramdisk-image-create,ramdisk-image-create name: python3-distributed version: 1.20.2+ds.1-2 commands: dask-mpi,dask-remote,dask-scheduler,dask-ssh,dask-submit,dask-worker name: python3-doc8 version: 0.6.0-4 commands: doc8,python3-doc8 name: python3-doit version: 0.30.3-3 commands: doit name: python3-dotenv version: 0.7.1-1.1 commands: dotenv name: python3-duecredit version: 0.6.0-1 commands: duecredit name: python3-easydev version: 0.9.35+dfsg-2 commands: easydev3_browse,easydev3_buildPackage name: python3-empy version: 3.3.2-1build1 commands: empy3 name: python3-enigma version: 0.1-1 commands: pyenigma.py name: python3-escript version: 5.1-5 commands: run-escript,run-escript3 name: python3-escript-mpi version: 5.1-5 commands: run-escript,run-escript3-mpi name: python3-exabgp version: 4.0.2-2 commands: exabgp,python3-exabgp name: python3-falcon version: 1.0.0-2build3 commands: falcon-bench,python3-falcon-bench name: python3-ferret version: 7.3-1 commands: pyferret,pyferret3 name: python3-ffc version: 2017.2.0.post0-2 commands: ffc-3 name: python3-flask version: 0.12.2-3 commands: flask name: python3-future version: 0.15.2-4ubuntu2 commands: futurize,pasteurize,python3-futurize,python3-pasteurize name: python3-gabbi version: 1.40.0-0ubuntu1 commands: gabbi-run,python3-gabbi-run name: python3-gear version: 0.5.8-4 commands: geard,python3-geard name: python3-gfapy version: 1.0.0+dfsg-2 commands: gfapy-convert,gfapy-mergelinear,gfapy-validate name: python3-gflags version: 1.5.1-5 commands: gflags2man,python3-gflags2man name: python3-git-os-job version: 1.0.1-2 commands: git-os-job,python3-git-os-job name: python3-glance-store version: 0.23.0-0ubuntu1 commands: glance-rootwrap,python3-glance-rootwrap name: python3-glanceclient version: 1:2.9.1-0ubuntu1 commands: glance,python3-glance name: python3-glareclient version: 0.5.2-0ubuntu1 commands: glare,python3-glare name: python3-glyphslib version: 2.2.1-1 commands: glyphs2ufo name: python3-gnocchi version: 4.2.0-0ubuntu5 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: python3-gnocchiclient version: 7.0.1-0ubuntu1 commands: gnocchi,python3-gnocchi name: python3-googlecloudapis version: 0.9.30+debian1-2 commands: python3-google-api-tools name: python3-grib version: 2.0.2-3 commands: cnvgrib1to2,cnvgrib2to1,grib_list,grib_repack name: python3-gtts version: 1.2.0-1 commands: gtts-cli name: python3-guessit version: 0.11.0-2 commands: guessit name: python3-guidata version: 1.7.6-1 commands: guidata-tests-py3 name: python3-guiqwt version: 3.0.3-2ubuntu1 commands: guiqwt-tests-py3,sift-py3 name: python3-harmony version: 0.5.0-1 commands: harmony name: python3-hbmqtt version: 0.9-1 commands: hbmqtt,hbmqtt_pub,hbmqtt_sub name: python3-heatclient version: 1.14.0-0ubuntu1 commands: heat,python3-heat name: python3-hl7 version: 0.3.4-2 commands: mllp_send name: python3-html2text version: 2018.1.9-1 commands: html2markdown,html2markdown.py3 name: python3-hug version: 2.3.0-1.1 commands: hug name: python3-hupper version: 1.0-2 commands: hupper3 name: python3-hy version: 0.12.1-2 commands: hy,hy2py,hy2py3,hy3,hyc,hyc3 name: python3-instant version: 2017.2.0.0-2 commands: instant-clean-3,instant-showcache-3 name: python3-invoke version: 0.11.1+dfsg1-1 commands: inv,invoke,python3-inv,python3-invoke name: python3-ipdb version: 0.10.3-1 commands: ipdb3 name: python3-ironicclient version: 2.2.0-0ubuntu1 commands: ironic,python3-ironic name: python3-itango version: 0.1.7-1 commands: itango3,itango3-qt name: python3-jenkins-job-builder version: 2.0.3-2 commands: jenkins-jobs name: python3-jira version: 1.0.10-1 commands: python3-jirashell name: python3-jsondiff version: 1.1.1-2 commands: jsondiff name: python3-jsonpath-rw version: 1.4.0-3 commands: jsonpath,python3-jsonpath name: python3-kaptan version: 0.5.9-1 commands: kaptan name: python3-karborclient version: 1.0.0-2 commands: karbor,python3-karbor name: python3-lesscpy version: 0.13.0+ds-1 commands: lesscpy,python3-lesscpy name: python3-librecaptcha version: 0.4.0-1 commands: librecaptcha name: python3-line-profiler version: 2.1-1 commands: kernprof name: python3-livereload version: 2.5.1-1 commands: livereload name: python3-londiste version: 3.3.0-1 commands: londiste3 name: python3-lttnganalyses version: 0.6.1-1 commands: lttng-analyses-record,lttng-cputop,lttng-cputop-mi,lttng-iolatencyfreq,lttng-iolatencyfreq-mi,lttng-iolatencystats,lttng-iolatencystats-mi,lttng-iolatencytop,lttng-iolatencytop-mi,lttng-iolog,lttng-iolog-mi,lttng-iousagetop,lttng-iousagetop-mi,lttng-irqfreq,lttng-irqfreq-mi,lttng-irqlog,lttng-irqlog-mi,lttng-irqstats,lttng-irqstats-mi,lttng-memtop,lttng-memtop-mi,lttng-periodfreq,lttng-periodfreq-mi,lttng-periodlog,lttng-periodlog-mi,lttng-periodstats,lttng-periodstats-mi,lttng-periodtop,lttng-periodtop-mi,lttng-schedfreq,lttng-schedfreq-mi,lttng-schedlog,lttng-schedlog-mi,lttng-schedstats,lttng-schedstats-mi,lttng-schedtop,lttng-schedtop-mi,lttng-syscallstats,lttng-syscallstats-mi,lttng-track-process name: python3-ly version: 0.9.5-1 commands: ly,ly-server name: python3-magnumclient version: 2.8.0-0ubuntu1 commands: magnum,python3-magnum name: python3-manilaclient version: 1.21.0-0ubuntu1 commands: manila,python3-manila name: python3-memory-profiler version: 0.52-1 commands: python3-mprof name: python3-mido version: 1.2.7-2 commands: mido3-connect,mido3-play,mido3-ports,mido3-serve name: python3-migrate version: 0.11.0-2 commands: migrate,migrate-repository,python3-migrate,python3-migrate-repository name: python3-misaka version: 1.0.2-5build3 commands: misaka,python3-misaka name: python3-mistralclient version: 1:3.3.0-0ubuntu1 commands: mistral,python3-mistral name: python3-molotov version: 1.4-1 commands: moloslave,molostart,molotov name: python3-monascaclient version: 1.10.0-0ubuntu1 commands: monasca,python3-monasca name: python3-murano-pkg-check version: 0.3.0-0ubuntu4 commands: murano-pkg-check,python3-murano-pkg-check name: python3-muranoclient version: 1.0.1-0ubuntu1 commands: murano,python3-murano name: python3-mygpoclient version: 1.8-1 commands: mygpo-bpsync,mygpo-list-devices,mygpo-simple-client name: python3-natsort version: 4.0.3-2 commands: natsort name: python3-netcdf4 version: 1.3.1-1 commands: nc3tonc4,nc4tonc3,ncinfo name: python3-neutronclient version: 1:6.7.0-0ubuntu1 commands: neutron,python3-neutron name: python3-nose version: 1.3.7-3 commands: nosetests3 name: python3-nose2 version: 0.7.4-1 commands: nose2-3,nose2-3.6 name: python3-novaclient version: 2:9.1.1-0ubuntu1 commands: nova,python3-nova name: python3-numba version: 0.34.0-3 commands: numba name: python3-nwdiag version: 1.0.4+dfsg-1 commands: nwdiag3,packetdiag3,rackdiag3 name: python3-openstack-doc-tools version: 1.6.0-2 commands: doc-tools-build-rst,doc-tools-check-languages,doc-tools-update-cli-reference,openstack-auto-commands,openstack-jsoncheck,python3-doc-tools-build-rst,python3-doc-tools-check-languages,python3-doc-tools-update-cli-reference,python3-openstack-auto-commands,python3-openstack-indexpage,python3-openstack-jsoncheck name: python3-openstackclient version: 3.14.0-0ubuntu1 commands: openstack,python3-openstack name: python3-openstacksdk version: 0.11.3+repack-0ubuntu1 commands: python3-openstack-inventory name: python3-os-testr version: 1.0.0-0ubuntu2 commands: generate-subunit,ostestr,python3-generate-subunit,python3-ostestr,python3-subunit-trace,python3-subunit2html,subunit-trace,subunit2html name: python3-oslo.concurrency version: 3.25.0-0ubuntu1 commands: lockutils-wrapper,python3-lockutils-wrapper name: python3-oslo.config version: 1:5.2.0-0ubuntu1 commands: oslo-config-generator,python3-oslo-config-generator name: python3-oslo.log version: 3.36.0-0ubuntu1 commands: python3-convert-json name: python3-oslo.messaging version: 5.35.0-0ubuntu1 commands: oslo-messaging-zmq-broker,oslo-messaging-zmq-proxy,python3-oslo-messaging-send-notification,python3-oslo-messaging-zmq-broker,python3-oslo-messaging-zmq-proxy name: python3-oslo.policy version: 1.33.1-0ubuntu1 commands: oslopolicy-checker,oslopolicy-list-redundant,oslopolicy-policy-generator,oslopolicy-sample-generator,python3-oslopolicy-checker,python3-oslopolicy-list-redundant,python3-oslopolicy-policy-generator,python3-oslopolicy-sample-generator name: python3-oslo.privsep version: 1.27.0-0ubuntu3 commands: privsep-helper,python3-privsep-helper name: python3-oslo.rootwrap version: 5.13.0-0ubuntu1 commands: oslo-rootwrap,oslo-rootwrap-daemon,python3-oslo-rootwrap,python3-oslo-rootwrap-daemon name: python3-oslotest version: 1:3.2.0-0ubuntu1 commands: oslo_debug_helper,oslo_run_cross_tests,oslo_run_pre_release_tests,python3-oslo_debug_helper,python3-oslo_run_cross_tests,python3-oslo_run_pre_release_tests name: python3-osprofiler version: 1.15.2-0ubuntu1 commands: osprofiler,python3-osprofiler name: python3-pafy version: 0.5.2-2 commands: ytdl name: python3-pankoclient version: 0.4.0-0ubuntu1 commands: panko name: python3-pecan version: 1.2.1-2 commands: gunicorn_pecan,pecan,python3-gunicorn_pecan,python3-pecan name: python3-phply version: 1.2.4-1 commands: phplex,phpparse name: python3-pip version: 9.0.1-2 commands: pip3 name: python3-pkginfo version: 1.2.1-1 commands: pkginfo name: python3-pocket-lint version: 0.5.31-0ubuntu2 commands: pocketlint name: python3-popcon version: 1.5.1 commands: popcon name: python3-portpicker version: 1.2.0-1 commands: portserver name: python3-pprofile version: 1.11.0-1 commands: pprofile3 name: python3-proselint version: 0.8.0-2 commands: proselint name: python3-protorpc-standalone version: 0.9.1-3 commands: gen_protorpc,python3-gen_protorpc name: python3-pudb version: 2017.1.4-1 commands: pudb3 name: python3-pulp version: 1.6.0+dfsg1-2 commands: pulpdoctest,pulptest,python3-pulpdoctest,python3-pulptest name: python3-pweave version: 0.25-1 commands: Ptangle,Pweave,ptangle,pweave,pweave-convert,pypublish name: python3-pydap version: 3.2.2+ds1-1ubuntu1 commands: dods,pydap name: python3-pyfaidx version: 0.4.8.1-1 commands: faidx name: python3-pyfiglet version: 0.7.4+dfsg-2 commands: pyfiglet name: python3-pyghmi version: 1.0.32-4 commands: python3-pyghmicons,python3-pyghmiutil,python3-virshbmc name: python3-pyicloud version: 0.9.1-2 commands: icloud name: python3-pykmip version: 0.7.0-2 commands: pykmip-server,python3-pykmip-server name: python3-pynlpl version: 1.1.2-1 commands: pynlpl-computepmi,pynlpl-makefreqlist,pynlpl-sampler name: python3-pyramid version: 1.6+dfsg-1.1 commands: pcreate3,pdistreport3,prequest3,proutes3,pserve3,pshell3,ptweens3,pviews3 name: python3-pyro4 version: 4.63-1 commands: pyro4-check-config,pyro4-flameserver,pyro4-httpgateway,pyro4-ns,pyro4-nsc,pyro4-test-echoserver name: python3-pyroma version: 2.0.2-1ubuntu1 commands: pyroma3 name: python3-pysaml2 version: 4.0.2-0ubuntu3 commands: make_metadata,mdexport,merge_metadata,parse_xsd2,python3-make_metadata,python3-mdexport,python3-merge_metadata,python3-parse_xsd2 name: python3-pyscss version: 1.3.5-2build2 commands: less2scss,pyscss,python3-less2scss,python3-pyscss name: python3-pysmi version: 0.2.2-1 commands: mibdump name: python3-pystache version: 0.5.4-6 commands: pystache3 name: python3-pytest version: 3.3.2-2 commands: py.test-3,pytest-3 name: python3-pyxb version: 1.2.6+dfsg-1 commands: pyxbdump-py3,pyxbgen-py3,pyxbwsdl-py3 name: python3-q-text-as-data version: 1.4.0-2 commands: python3-q-text-as-data,q name: python3-qrcode version: 5.3-1 commands: python3-qr,qr name: python3-qwt version: 0.5.5-1 commands: PythonQwt-tests-py3 name: python3-raven version: 6.3.0-2 commands: raven name: python3-reno version: 2.5.0-1 commands: python3-reno,reno name: python3-requirements-detector version: 0.4.1-3 commands: detect-requirements name: python3-restructuredtext-lint version: 0.12.2-2 commands: python3-restructuredtext-lint,python3-rst-lint,restructuredtext-lint,rst-lint name: python3-rsa version: 3.4.2-1 commands: py3rsa-decrypt,py3rsa-decrypt-bigfile,py3rsa-encrypt,py3rsa-encrypt-bigfile,py3rsa-keygen,py3rsa-priv2pub,py3rsa-sign,py3rsa-verify name: python3-rtslib-fb version: 2.1.57+debian-4 commands: targetctl,targetctl-python3 name: python3-ryu version: 4.15-0ubuntu2 commands: python3-ryu,python3-ryu-manager,ryu,ryu-manager name: python3-sagenb-export version: 3.2-3 commands: sagenb-export,sagenb-export-python3 name: python3-scapy version: 0.23-1 commands: scapy3 name: python3-scrapy version: 1.5.0-1 commands: python3-scrapy name: python3-screed version: 1.0-2 commands: screed name: python3-seqdiag version: 0.9.5+dfsg-1 commands: seqdiag3 name: python3-shade version: 1.7.0-2 commands: shade-inventory name: python3-sip-dev version: 4.19.7+dfsg-1 commands: dh_sip3 name: python3-smstrade version: 0.2.4-5 commands: smstrade_balance,smstrade_send name: python3-stardicter version: 1.2-1 commands: sdgen name: python3-stem version: 1.6.0-1 commands: python3-tor-prompt,tor-prompt name: python3-stestr version: 1.1.0-0ubuntu2 commands: python3-stestr,stestr name: python3-stomp version: 4.1.19-1 commands: stomp name: python3-subunit2sql version: 1.8.0-5 commands: python3-sql2subunit,python3-subunit2sql,python3-subunit2sql-db-manage,python3-subunit2sql-graph,sql2subunit,subunit2sql,subunit2sql-db-manage,subunit2sql-graph name: python3-subvertpy version: 0.10.1-1build1 commands: subvertpy-fast-export,subvertpy3-fast-export name: python3-swiftclient version: 1:3.5.0-0ubuntu1 commands: python3-swift,swift name: python3-tables version: 3.4.2-4 commands: pt2to3,ptdump,ptrepack,pttree name: python3-tabulate version: 0.7.7-1 commands: tabulate name: python3-tackerclient version: 0.11.0-0ubuntu1 commands: python3-tacker,tacker name: python3-taglib version: 0.3.6+dfsg-2build6 commands: pyprinttags name: python3-tempest version: 1:17.2.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,python3-subunit-describe-calls,python3-tempest,python3-tempest-account-generator,python3-verify-tempest-config,skip-tracker,subunit-describe-calls,tempest,tempest-account-generator,verify-tempest-config name: python3-tempest-lib version: 1.0.0-0ubuntu1 commands: check-uuid,python3-check-uuid,python3-skip-tracker,skip-tracker name: python3-tldp version: 0.7.13-1ubuntu1 commands: ldptool name: python3-tlslite-ng version: 0.7.4-1 commands: tls-python3,tlsdb-python3 name: python3-tqdm version: 4.19.5-1 commands: tqdm name: python3-troveclient version: 1:2.14.0-0ubuntu1 commands: python3-trove,trove name: python3-ufl version: 2017.2.0.0-2 commands: ufl-analyse-3,ufl-convert-3,ufl-version-3,ufl2py-3 name: python3-venv version: 3.6.5-3 commands: pyvenv name: python3-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapPython-7.1,vtkWrapPythonInit-7.1 name: python3-watchdog version: 0.8.3-2 commands: watchmedo3 name: python3-watcherclient version: 1.6.0-0ubuntu1 commands: python3-watcher,watcher name: python3-webassets version: 3:0.12.1-1 commands: webassets name: python3-websocket version: 0.44.0-0ubuntu2 commands: python3-wsdump,wsdump name: python3-websockify version: 0.8.0+dfsg1-9 commands: python3-websockify,websockify name: python3-wheezy.template version: 0.1.167-1.1build3 commands: wheezy.template,wheezy.template-python3 name: python3-windowmocker version: 1.4+14.04.20140220.1-0ubuntu1 commands: window-mocker3 name: python3-woo version: 1.0+dfsg1-2 commands: woo-py3,woo-py3-batch name: python3-xhtml2pdf version: 0.2.1-1 commands: xhtml2pdf3 name: python3-yaql version: 1.1.3-0ubuntu1 commands: python3-yaql,yaql name: python3-yt version: 3.4.0-3 commands: iyt,yt name: python3-zope.testrunner version: 4.4.9-1 commands: zope-testrunner3 name: python3-zunclient version: 1.1.0-0ubuntu1 commands: python3-zun,zun name: python3.6-venv version: 3.6.5-3 commands: pyvenv-3.6 name: python3.7 version: 3.7.0~b3-1 commands: pdb3.7,pydoc3.7,pygettext3.7 name: python3.7-dbg version: 3.7.0~b3-1 commands: python3.7-dbg,python3.7-dbg-config,python3.7dm,python3.7dm-config name: python3.7-dev version: 3.7.0~b3-1 commands: python3.7-config,python3.7m-config name: python3.7-minimal version: 3.7.0~b3-1 commands: python3.7,python3.7m name: python3.7-venv version: 3.7.0~b3-1 commands: pyvenv-3.7 name: pythoncad version: 0.1.37.0-3 commands: pythoncad name: pythoncard-tools version: 0.8.2-5 commands: codeEditor,findfiles,resourceEditor name: pythonpy version: 0.4.11b-3 commands: py name: pythontracer version: 8.10.16-1.2 commands: pytracefile name: pytimechart version: 1.0.0~rc1-3.2 commands: pytimechart name: pytone version: 3.0.3-0ubuntu3 commands: pytone,pytonectl name: pytrainer version: 1.11.0-1 commands: pytr,pytrainer name: pyvcf version: 0.6.8-1ubuntu4 commands: vcf_filter,vcf_melt,vcf_sample_filter name: pyvnc2swf version: 0.9.5-5 commands: vnc2swf,vnc2swf-edit name: pyzo version: 4.4.3-1 commands: pyzo name: pyzor version: 1:1.0.0-3 commands: pyzor,pyzor-migrate,pyzord name: q4wine version: 1.3.6-2 commands: q4wine,q4wine-cli,q4wine-helper name: qalc version: 0.9.10-1 commands: qalc name: qalculate-gtk version: 0.9.9-1 commands: qalculate,qalculate-gtk name: qapt-batch version: 3.0.4-0ubuntu1 commands: qapt-batch name: qapt-deb-installer version: 3.0.4-0ubuntu1 commands: qapt-deb-installer name: qarecord version: 0.5.0-0ubuntu8 commands: qarecord name: qasconfig version: 0.21.0-1.1 commands: qasconfig name: qashctl version: 0.21.0-1.1 commands: qashctl name: qasmixer version: 0.21.0-1.1 commands: qasmixer name: qbittorrent version: 4.0.3-1 commands: qbittorrent name: qbittorrent-nox version: 4.0.3-1 commands: qbittorrent-nox name: qbrew version: 0.4.1-8 commands: qbrew name: qbs version: 1.10.1+dfsg-1 commands: qbs,qbs-config,qbs-config-ui,qbs-create-project,qbs-qmltypes,qbs-setup-android,qbs-setup-qt,qbs-setup-toolchains name: qca-qt5-2-utils version: 2.1.3-2ubuntu2 commands: mozcerts-qt5,qcatool-qt5 name: qca2-utils version: 2.1.3-2ubuntu2 commands: mozcerts,qcatool name: qchat version: 0.3-0ubuntu2 commands: qchat,qchat-server name: qclib-test version: 1.3.1-0ubuntu1 commands: qc_test name: qconf version: 2.4-3 commands: qt-qconf name: qct version: 1.7-3.2 commands: qct name: qcumber version: 1.0.14+dfsg-1 commands: qcumber name: qdacco version: 0.8.5-1 commands: qdacco name: qdbm-util version: 1.8.78-6.1ubuntu2 commands: cbcodec,crmgr,crtsv,dpmgr,dptsv,odidx,odmgr,rlmgr,vlmgr,vltsv name: qdevelop version: 0.28-0ubuntu1 commands: qdevelop name: qdirstat version: 1.4-2 commands: qdirstat,qdirstat-cache-writer name: qelectrotech version: 1:0.5-2 commands: qelectrotech name: qemu-guest-agent version: 1:2.11+dfsg-1ubuntu7 commands: qemu-ga name: qemu-system-mips version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-mips,qemu-system-mips64,qemu-system-mips64el,qemu-system-mipsel name: qemu-system-misc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-alpha,qemu-system-cris,qemu-system-lm32,qemu-system-m68k,qemu-system-microblaze,qemu-system-microblazeel,qemu-system-moxie,qemu-system-nios2,qemu-system-or1k,qemu-system-sh4,qemu-system-sh4eb,qemu-system-tricore,qemu-system-unicore32,qemu-system-xtensa,qemu-system-xtensaeb name: qemu-system-sparc version: 1:2.11+dfsg-1ubuntu7 commands: qemu-system-sparc,qemu-system-sparc64 name: qemu-user version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64,qemu-alpha,qemu-arm,qemu-armeb,qemu-cris,qemu-hppa,qemu-i386,qemu-m68k,qemu-microblaze,qemu-microblazeel,qemu-mips,qemu-mips64,qemu-mips64el,qemu-mipsel,qemu-mipsn32,qemu-mipsn32el,qemu-nios2,qemu-or1k,qemu-ppc,qemu-ppc64,qemu-ppc64abi32,qemu-ppc64le,qemu-s390x,qemu-sh4,qemu-sh4eb,qemu-sparc,qemu-sparc32plus,qemu-sparc64,qemu-tilegx,qemu-x86_64 name: qemu-user-static version: 1:2.11+dfsg-1ubuntu7 commands: qemu-aarch64-static,qemu-alpha-static,qemu-arm-static,qemu-armeb-static,qemu-cris-static,qemu-debootstrap,qemu-hppa-static,qemu-i386-static,qemu-m68k-static,qemu-microblaze-static,qemu-microblazeel-static,qemu-mips-static,qemu-mips64-static,qemu-mips64el-static,qemu-mipsel-static,qemu-mipsn32-static,qemu-mipsn32el-static,qemu-nios2-static,qemu-or1k-static,qemu-ppc-static,qemu-ppc64-static,qemu-ppc64abi32-static,qemu-ppc64le-static,qemu-s390x-static,qemu-sh4-static,qemu-sh4eb-static,qemu-sparc-static,qemu-sparc32plus-static,qemu-sparc64-static,qemu-tilegx-static,qemu-x86_64-static name: qemubuilder version: 0.86 commands: qemubuilder name: qemuctl version: 0.3.1-4build1 commands: qemuctl name: qfits-tools version: 6.2.0-8ubuntu2 commands: dfits,dtfits,fitsmd5,fitsort,flipx,frameq,hierarch28,iofits,qextract,replacekey,stripfits name: qfitsview version: 3.3+p1+dfsg-2build1 commands: QFitsView name: qflow version: 1.1.58-1 commands: qflow name: qgis version: 2.18.17+dfsg-1 commands: qbrowser,qbrowser.bin,qgis,qgis.bin name: qgit version: 2.7-2 commands: qgit name: qgo version: 2.1~git-20160623-1 commands: qgo name: qhimdtransfer version: 0.9.15-1 commands: qhimdtransfer name: qhull-bin version: 2015.2-4 commands: qconvex,qdelaunay,qhalf,qhull,qvoronoi,rbox name: qiv version: 2.3.1-1build1 commands: qiv name: qjackctl version: 0.4.5-1ubuntu1 commands: qjackctl name: qjackrcd version: 1.1.0~ds0-1 commands: qjackrcd name: qjoypad version: 4.1.0-2.1fakesync1 commands: qjoypad name: qla-tools version: 20140529-2 commands: ql-dynamic-tgt-lun-disc,ql-hba-snapshot,ql-lun-state-online,ql-set-cmd-timeout name: qlandkartegt version: 1.8.1+ds-8build4 commands: cache2gtiff,map2gcm,map2jnx,map2rmap,map2rmp,qlandkartegt name: qlipper version: 1:5.1.1-2 commands: qlipper name: qliss3d version: 1.4-3ubuntu1 commands: qliss3d name: qmail version: 1.06-6 commands: bouncesaying,condredirect,datemail,elq,except,forward,maildir2mbox,maildirmake,maildirwatch,mailsubj,pinq,predate,preline,qail,qbiff,qmail-clean,qmail-getpw,qmail-inject,qmail-local,qmail-lspawn,qmail-newmrh,qmail-newu,qmail-pop3d,qmail-popup,qmail-pw2u,qmail-qmqpc,qmail-qmqpd,qmail-qmtpd,qmail-qread,qmail-qstat,qmail-queue,qmail-remote,qmail-rspawn,qmail-send,qmail-sendmail,qmail-showctl,qmail-smtpd,qmail-start,qmail-tcpok,qmail-tcpto,qmail-verify,qreceipt,qsmhook,splogger,tcp-env name: qmail-run version: 2.0.2+nmu1 commands: mailq,newaliases,qmailctl,sendmail name: qmail-tools version: 0.1.0 commands: queue-repair name: qmapshack version: 1.10.0-1 commands: qmapshack name: qmc version: 0.94-3.1 commands: qmc,qmc-gui name: qmenu version: 5.0.2-2build2 commands: qmenu name: qmidiarp version: 0.6.5-1 commands: qmidiarp name: qmidinet version: 0.5.0-1 commands: qmidinet name: qmidiroute version: 0.4.0-1 commands: qmidiroute name: qmmp version: 1.1.10-1.1ubuntu2 commands: qmmp name: qmpdclient version: 1.2.2+git20151118-1 commands: qmpdclient name: qmtest version: 2.4.1-3 commands: qmtest name: qnapi version: 0.1.9-1build1 commands: qnapi name: qnifti2dicom version: 0.4.11-1ubuntu8 commands: qnifti2dicom name: qonk version: 0.3.1-3.1build2 commands: qonk name: qpdfview version: 0.4.14-1build1 commands: qpdfview name: qperf version: 0.4.10-1 commands: qperf name: qprint version: 1.1.dfsg.2-2build1 commands: qprint name: qprogram-starter version: 1.7.3-1 commands: qprogram-starter name: qps version: 1.10.17-2 commands: qps name: qpsmtpd version: 0.94-2 commands: qpsmtpd-forkserver,qpsmtpd-prefork name: qpxtool version: 0.7.2-4.1 commands: cdvdcontrol,f1tattoo,qpxtool,qscan,qscand,readdvd name: qqwing version: 1.3.4-1.1 commands: qqwing name: qreator version: 16.06.1-2 commands: qreator name: qrencode version: 3.4.4-1build1 commands: qrencode name: qrfcview version: 0.62-5.2build1 commands: qRFCView,qrfcview name: qrisk2 version: 0.1.20150729-2 commands: Q80_model_4_0_commandLine,Q80_model_4_1_commandLine name: qrouter version: 1.3.80-1 commands: qrouter name: qrq version: 0.3.1-3 commands: qrq,qrqscore name: qsampler version: 0.5.0-1build1 commands: qsampler name: qsapecng version: 2.1.1-1 commands: qsapecng name: qsf version: 1.2.7-1.3build1 commands: qsf name: qshutdown version: 1.7.3-1 commands: qshutdown name: qsopt-ex version: 2.5.10.3-1build1 commands: esolver name: qspeakers version: 1.1.0-1 commands: qspeakers name: qsstv version: 9.2.6+repack-1 commands: qsstv name: qstardict version: 1.3-1 commands: qstardict name: qstat version: 2.15-4 commands: quakestat name: qstopmotion version: 2.3.2-1 commands: qstopmotion name: qsynth version: 0.5.0-2 commands: qsynth name: qt-assistant-compat version: 4.6.3-7build1 commands: assistant_adp name: qt4-designer version: 4:4.8.7+dfsg-7ubuntu1 commands: designer-qt4 name: qt4-dev-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: assistant-qt4,linguist-qt4 name: qt4-linguist-tools version: 4:4.8.7+dfsg-7ubuntu1 commands: lrelease-qt4,lupdate-qt4 name: qt4-qmake version: 4:4.8.7+dfsg-7ubuntu1 commands: qmake-qt4 name: qt4-qtconfig version: 4:4.8.7+dfsg-7ubuntu1 commands: qtconfig-qt4 name: qt5ct version: 0.34-1build2 commands: qt5ct name: qtads version: 2.1.6-1.1 commands: qtads name: qtav-players version: 1.12.0+ds-4build3 commands: Player,QMLPlayer name: qtcreator version: 4.5.2-3ubuntu2 commands: qtcreator name: qtdbustest-runner version: 0.2+17.04.20170106-0ubuntu1 commands: qdbus-simple-test-runner name: qtel version: 17.12.1-2 commands: qtel name: qterm version: 1:0.7.2-1build1 commands: qterm name: qterminal version: 0.8.0-4 commands: qterminal,x-terminal-emulator name: qtgain version: 0.8.2-0ubuntu2 commands: QtGain name: qthid-fcd-controller version: 4.1-3build1 commands: qthid,qthid-2.2 name: qtikz version: 0.12+ds1-1 commands: qtikz name: qtile version: 0.10.7-2ubuntu2 commands: qshell,qtile,x-window-manager name: qtiplot version: 0.9.8.9-17 commands: qtiplot name: qtltools version: 1.1+dfsg-2build1 commands: QTLtools name: qtm version: 1.3.18-1 commands: qtm name: qtop version: 2.3.4-1build1 commands: qtop name: qtpass version: 1.2.1-1 commands: qtpass name: qtqr version: 1.4~bzr23-1 commands: qtqr name: qtractor version: 0.8.5-1 commands: qtractor,qtractor_plugin_scan name: qtscript-tools version: 0.2.0-1build1 commands: qs_eval,qs_generator name: qtscrob version: 0.11+git-4 commands: qtscrob name: qtsmbstatus-client version: 2.2.1-3build1 commands: qtsmbstatus name: qtsmbstatus-light version: 2.2.1-3build1 commands: qtsmbstatusl name: qtsmbstatus-server version: 2.2.1-3build1 commands: qtsmbstatusd name: qtxdg-dev-tools version: 3.1.0-5build2 commands: qtxdg-desktop-file-start,qtxdg-iconfinder name: quadrapassel version: 1:3.22.0-2 commands: quadrapassel name: quakespasm version: 0.93.0+dfsg-2 commands: quakespasm name: quantlib-examples version: 1.12-1 commands: BasketLosses,BermudanSwaption,Bonds,CDS,CVAIRS,CallableBonds,ConvertibleBonds,DiscreteHedging,EquityOption,FRA,FittedBondCurve,Gaussian1dModels,GlobalOptimizer,LatentModel,MarketModels,MultidimIntegral,Replication,Repo,SwapValuation name: quantum-espresso version: 6.0-3.1 commands: average.x,bands.x,bgw2pw.x,bse_main.x,casino2upf.x,cp.x,cpmd2upf.x,cppp.x,dist.x,dos.x,dynmat.x,epsilon.x,ev.x,fd.x,fd_ef.x,fd_ifc.x,fhi2upf.x,fpmd2upf.x,fqha.x,fs.x,generate_rVV10_kernel_table.x,generate_vdW_kernel_table.x,gww.x,gww_fit.x,head.x,importexport_binary.x,initial_state.x,interpolate.x,iotk.x,iotk_print_kinds.x,kpoints.x,lambda.x,ld1.x,manycp.x,manypw.x,matdyn.x,molecularnexafs.x,molecularpdos.x,ncpp2upf.x,neb.x,oldcp2upf.x,path_interpolation.x,pawplot.x,ph.x,phcg.x,plan_avg.x,plotband.x,plotproj.x,plotrho.x,pmw.x,pp.x,projwfc.x,pw.x,pw2bgw.x,pw2gw.x,pw2wannier90.x,pw4gww.x,pw_export.x,pwcond.x,pwi2xsf.x,q2qstar.x,q2r.x,q2trans.x,q2trans_fd.x,read_upf_tofile.x,rrkj2upf.x,spectra_correction.x,sumpdos.x,turbo_davidson.x,turbo_eels.x,turbo_lanczos.x,turbo_spectrum.x,upf2casino.x,uspp2upf.x,vdb2upf.x,virtual.x,wannier_ham.x,wannier_plot.x,wfck2r.x,wfdd.x,xspectra.x name: quarry version: 0.2.0.dfsg.1-4.1build1 commands: quarry name: quassel version: 1:0.12.4-3ubuntu1 commands: quassel name: quassel-client version: 1:0.12.4-3ubuntu1 commands: quasselclient name: quassel-core version: 1:0.12.4-3ubuntu1 commands: quasselcore name: quaternion version: 0.0.5-1 commands: quaternion name: quelcom version: 0.4.0-13build1 commands: qmp3check,qmp3cut,qmp3info,qmp3join,qmp3report,quelcom,qwavcut,qwavfade,qwavheaderdump,qwavinfo,qwavjoin,qwavsilence name: quickcal version: 2.1-1 commands: num,quickcal name: quickml version: 0.7-5 commands: quickml,quickml-analog,quickml-ctl name: quickplot version: 1.0.1~rc-1build2 commands: quickplot,quickplot_shell name: quickroute-gps version: 2.4-15 commands: quickroute-gps name: quicksynergy version: 0.9-2ubuntu2 commands: quicksynergy name: quicktime-utils version: 2:1.2.4-11build1 commands: lqt_transcode,lqtremux,qt2text,qtdechunk,qtdump,qtinfo,qtrechunk,qtstreamize,qtyuv4toyuv name: quicktime-x11utils version: 2:1.2.4-11build1 commands: libquicktime_config,lqtplay name: quicktun version: 2.2.6-2build1 commands: keypair,quicktun name: quilt version: 0.63-8.2 commands: deb3,dh_quilt_patch,dh_quilt_unpatch,guards,quilt name: quisk version: 4.1.12-1 commands: quisk name: quitcount version: 3.1.3-3 commands: quitcount name: quiterss version: 0.18.8+dfsg-1 commands: quiterss name: quodlibet version: 3.9.1-1.2 commands: quodlibet name: quotatool version: 1:1.4.12-2build1 commands: quotatool name: qutebrowser version: 1.1.1-1 commands: qutebrowser,x-www-browser name: qutemol version: 0.4.1~cvs20081111-9 commands: qutemol name: qutim version: 0.2.0-0ubuntu9 commands: qutim name: quvi version: 0.9.4-1.1build1 commands: quvi name: qv4l2 version: 1.14.2-1 commands: qv4l2 name: qviaggiatreno version: 2013.7.3-9 commands: qviaggiatreno name: qwbfsmanager version: 1.2.1-1.1build2 commands: qwbfsmanager name: qweborf version: 0.14-1 commands: qweborf name: qwo version: 0.5-3 commands: qwo name: qxgedit version: 0.5.0-1 commands: qxgedit name: qxp2epub version: 0.9.6-1 commands: qxp2epub name: qxp2odg version: 0.9.6-1 commands: qxp2odg name: qxw version: 20140331-1ubuntu2 commands: qxw name: r-base-core version: 3.4.4-1ubuntu1 commands: R,Rscript name: r-cran-littler version: 0.3.3-1 commands: r name: r10k version: 2.6.2-2 commands: r10k name: rabbit version: 2.2.1-2 commands: rabbirc,rabbit,rabbit-command,rabbit-slide,rabbit-theme name: rabbiter version: 2.0.4-2 commands: rabbiter name: rabbitsign version: 2.1+dmca1-1build2 commands: packxxk,rabbitsign,rskeygen name: rabbitvcs-cli version: 0.16-1.1 commands: rabbitvcs name: racc version: 1.4.14-2 commands: racc,racc2y,y2racc name: racoon version: 1:0.8.2+20140711-10build1 commands: plainrsa-gen,racoon,racoon-tool,racoonctl name: radare2 version: 2.3.0+dfsg-2 commands: r2,r2agent,r2pm,rabin2,radare2,radiff2,rafind2,ragg2,ragg2-cc,rahash2,rarun2,rasm2,rax2 name: radeontool version: 1.6.3-1build1 commands: avivotool,radeonreg,radeontool name: radeontop version: 1.0-1 commands: radeontop name: radiant version: 2.7+dfsg-1 commands: kronatools_updateTaxonomy,ktClassifyBLAST,ktGetContigMagnitudes,ktGetLCA,ktGetLibPath,ktGetTaxIDFromAcc,ktGetTaxInfo,ktImportBLAST,ktImportDiskUsage,ktImportEC,ktImportFCP,ktImportGalaxy,ktImportKrona,ktImportMETAREP-EC,ktImportMETAREP-blast,ktImportMGRAST,ktImportPhymmBL,ktImportRDP,ktImportRDPComparison,ktImportTaxonomy,ktImportText,ktImportXML name: radicale version: 1.1.6-1 commands: radicale name: radio version: 3.103-4build1 commands: radio name: radioclk version: 1.0.ds1-12build1 commands: radioclkd name: radiotray version: 0.7.3-6ubuntu2 commands: radiotray name: radium-compressor version: 0.5.1-3build2 commands: radium_compressor name: radiusd-livingston version: 2.1-21build1 commands: builddbm,radiusd,radtest name: radosgw-agent version: 1.2.7-0ubuntu1 commands: radosgw-agent name: radsecproxy version: 1.6.9-1 commands: radsecproxy,radsecproxy-hash name: radvdump version: 1:2.16-3 commands: radvdump name: rafkill version: 1.2.2-6 commands: rafkill name: ragel version: 6.10-1 commands: ragel name: rainbow version: 0.8.7-2 commands: mkenvdir,rainbow-easy,rainbow-gc,rainbow-resume,rainbow-run,rainbow-sugarize,rainbow-xify name: rainbows version: 5.0.0-2 commands: rainbows name: raincat version: 1.1.1.2-3 commands: raincat name: rakarrack version: 0.6.1-4build2 commands: rakarrack,rakconvert,rakgit2new,rakverb,rakverb2 name: rake-compiler version: 1.0.4-1 commands: rake-compiler name: rakudo version: 2018.03-1 commands: perl6,perl6-debug-m,perl6-gdb-m,perl6-lldb-m,perl6-m,perl6-valgrind-m name: rally version: 0.9.1-0ubuntu2 commands: rally,rally-manage name: rambo-k version: 1.21+dfsg-1 commands: rambo-k name: ramond version: 0.5-4 commands: ramond name: rancid version: 3.7-1 commands: rancid-run name: rand version: 1.0.4-0ubuntu2 commands: rand name: randomplay version: 0.60+pristine-1 commands: randomplay name: randomsound version: 0.2-5build1 commands: randomsound name: randtype version: 1.13-11build1 commands: randtype name: ranger version: 1.8.1-0.2 commands: ranger,rifle name: rapid-photo-downloader version: 0.9.9-1 commands: analyze-pv-structure,rapid-photo-downloader name: rapidsvn version: 0.12.1dfsg-3.1 commands: rapidsvn name: rarcrack version: 0.2-1build1 commands: rarcrack name: rarian-compat version: 0.8.1-6build1 commands: rarian-example,rarian-sk-config,rarian-sk-extract,rarian-sk-gen-uuid,rarian-sk-get-cl,rarian-sk-get-content-list,rarian-sk-get-extended-content-list,rarian-sk-get-scripts,rarian-sk-install,rarian-sk-migrate,rarian-sk-preinstall,rarian-sk-rebuild,rarian-sk-update,scrollkeeper-config,scrollkeeper-extract,scrollkeeper-gen-seriesid,scrollkeeper-get-cl,scrollkeeper-get-content-list,scrollkeeper-get-extended-content-list,scrollkeeper-get-index-from-docpath,scrollkeeper-get-toc-from-docpath,scrollkeeper-get-toc-from-id,scrollkeeper-install,scrollkeeper-preinstall,scrollkeeper-rebuilddb,scrollkeeper-uninstall,scrollkeeper-update name: rarpd version: 0.981107-9build1 commands: rarpd name: rasdaemon version: 0.6.0-1 commands: ras-mc-ctl,rasdaemon name: rasmol version: 2.7.5.2-2 commands: rasmol,rasmol-classic,rasmol-gtk name: rasterio version: 0.36.0-2build5 commands: rasterio name: rasterlite2-bin version: 1.0.0~rc0+devel1-6 commands: rl2sniff,rl2tool,wmslite name: ratbagd version: 0.4-3 commands: ratbagctl,ratbagd name: rate4site version: 3.0.0-5 commands: rate4site,rate4site_doublerep name: ratfor version: 1.0-16 commands: ratfor name: ratmenu version: 2.3.22build1 commands: ratmenu name: ratpoints version: 1:2.1.3-1build1 commands: ratpoints,ratpoints-debug name: ratpoison version: 1.4.8-2build1 commands: ratpoison,rpws,x-window-manager name: ratt version: 0.0~git20160202.0.a14e2ff-1 commands: ratt name: rawdns version: 1.6~ds1-1 commands: rawdns name: rawdog version: 2.22-1 commands: rawdog name: rawtherapee version: 5.3-1 commands: rawtherapee,rawtherapee-cli name: rawtran version: 0.3.8-2build2 commands: rawtran name: ray version: 2.3.1-5 commands: Ray name: razor version: 1:2.85-4.2build3 commands: razor-admin,razor-check,razor-client,razor-report,razor-revoke name: rbd-fuse version: 12.2.4-0ubuntu1 commands: rbd-fuse name: rbd-mirror version: 12.2.4-0ubuntu1 commands: rbd-mirror name: rbd-nbd version: 12.2.4-0ubuntu1 commands: rbd-nbd name: rbdoom3bfg version: 1.1.0~preview3+dfsg+git20161019-1 commands: rbdoom3bfg name: rbenv version: 1.0.0-2 commands: rbenv name: rblcheck version: 20020316-10 commands: rblcheck name: rbldnsd version: 0.998b~pre1-1 commands: rbldnsd name: rbootd version: 2.0-10build1 commands: rbootd name: rc version: 1.7.4-1 commands: rc name: rclone version: 1.36-3 commands: rclone name: rcs version: 5.9.4-4 commands: ci,co,ident,merge,rcs,rcsclean,rcsdiff,rcsmerge,rlog name: rdesktop version: 1.8.3-2build1 commands: rdesktop name: rdfind version: 1.3.5-1 commands: rdfind name: rdiff version: 0.9.7-10build1 commands: rdiff name: rdiff-backup version: 1.2.8-7 commands: rdiff-backup,rdiff-backup-statistics name: rdiff-backup-fs version: 1.0.0-5 commands: archfs,rdiff-backup-fs name: rdist version: 6.1.5-19 commands: rdist,rdistd name: rdma-core version: 17.1-1 commands: iwpmd,rdma-ndd,rxe_cfg name: rdmacm-utils version: 17.1-1 commands: cmtime,mckey,rcopy,rdma_client,rdma_server,rdma_xclient,rdma_xserver,riostream,rping,rstream,ucmatose,udaddy,udpong name: rdnssd version: 1.0.3-3ubuntu2 commands: rdnssd name: rdp-alignment version: 1.2.0-3 commands: rdp-alignment name: rdp-classifier version: 2.10.2-2 commands: rdp_classifier name: rdp-readseq version: 2.0.2-3 commands: rdp-readseq name: rdtool version: 0.6.38-4 commands: rd2,rdswap name: rdup version: 1.1.15-1 commands: rdup,rdup-simple,rdup-tr,rdup-up name: re version: 0.1-6.1 commands: re name: read-edid version: 3.0.2-1build1 commands: get-edid,parse-edid name: readseq version: 1-12 commands: readseq name: realmd version: 0.16.3-1 commands: realm name: reaver version: 1.4-2build1 commands: reaver,wash name: rebar version: 2.6.4-2 commands: rebar name: rebuildd version: 0.4.2 commands: rebuildd,rebuildd-httpd,rebuildd-init-build-system,rebuildd-job name: reclass version: 1.4.1-3 commands: reclass name: recoll version: 1.23.7-1 commands: recoll,recollindex name: recommonmark-scripts version: 0.4.0+ds-2 commands: cm2html,cm2latex,cm2man,cm2pseudoxml,cm2xetex,cm2xml name: recon-ng version: 4.9.2-1 commands: recon-cli,recon-ng,recon-rpc name: reconf-inetd version: 1.120603 commands: reconf-inetd name: reconserver version: 0.15.2-1build1 commands: reConServer name: recordmydesktop version: 0.3.8.1+svn602-1ubuntu5 commands: recordmydesktop name: recoverdm version: 0.20-4 commands: mergebad,recoverdm name: recoverjpeg version: 2.6.1-1 commands: recoverjpeg,recovermov,remove-duplicates,sort-pictures name: recutils version: 1.7-2 commands: csv2rec,rec2csv,recdel,recfix,recfmt,recinf,recins,recsel,recset name: redboot-tools version: 0.7build3 commands: fconfig,fis,redboot-cmdline,redboot-install name: redeclipse version: 1.5.8-2 commands: redeclipse name: redeclipse-server version: 1.5.8-2 commands: redeclipse-server name: redet version: 8.26-1.2 commands: redet name: redir version: 3.1-1 commands: redir name: redis-sentinel version: 5:4.0.9-1 commands: redis-sentinel name: redis-server version: 5:4.0.9-1 commands: redis-server name: redis-tools version: 5:4.0.9-1 commands: redis-benchmark,redis-check-aof,redis-check-rdb,redis-cli name: redshift version: 1.11-1ubuntu1 commands: redshift name: redshift-gtk version: 1.11-1ubuntu1 commands: gtk-redshift,redshift-gtk name: redsocks version: 0.5-2 commands: redsocks name: reformat version: 20040319-1ubuntu1 commands: reformat name: regexxer version: 0.10-3 commands: regexxer name: regina-normal version: 5.1-2build1 commands: censuslookup,regconcat,regconvert,regfiledump,regfiletype,regina-engine-config,regina-gui,regina-python,sigcensus,tricensus,trisetcmp name: regina-normal-mpi version: 5.1-2build1 commands: tricensus-mpi,tricensus-mpi-status name: regina-rexx version: 3.6-2.1 commands: regina,rexx,rxqueue,rxstack name: regionset version: 0.1-3.1 commands: regionset name: registration-agent version: 1.3.4-1 commands: registrationAgent name: registry-tools version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: regdiff,regpatch,regshell,regtree name: reglookup version: 1.0.1+svn287-6 commands: reglookup,reglookup-recover,reglookup-timeline name: reinteract version: 0.5.0-6 commands: reinteract name: rekall-core version: 1.6.0+dfsg-2 commands: rekal,rekall name: rel2gpx version: 0.27-2 commands: rel2gpx name: relational version: 2.5-1 commands: relational name: relational-cli version: 2.5-1 commands: relational-cli name: relion-bin version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_sort,relion_postprocess,relion_preprocess,relion_project,relion_reconstruct,relion_refine,relion_run_ctffind,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_find_tiltpairs,relion_image_handler,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: relion-bin+mpi+gui version: 1.4+dfsg-3ubuntu1 commands: relion_autopick,relion_autopick_mpi,relion_display,relion_find_tiltpairs,relion_image_handler,relion_maingui,relion_manualpick,relion_mask_create,relion_particle_polish,relion_particle_polish_mpi,relion_particle_sort,relion_particle_sort_mpi,relion_postprocess,relion_preprocess,relion_preprocess_mpi,relion_project,relion_reconstruct,relion_refine,relion_refine_mpi,relion_run_ctffind,relion_run_ctffind_mpi,relion_stack_create,relion_star_compare,relion_star_datablock_ctfdat,relion_star_datablock_singlefiles,relion_star_datablock_stack,relion_star_loopheader,relion_star_plottable,relion_star_printtable,relion_tiltpair_plot name: remake version: 4.1+dbg1.3~dfsg.1-2 commands: remake name: remctl-client version: 3.13-1+deb9u1 commands: remctl name: remctl-server version: 3.13-1+deb9u1 commands: remctl-shell,remctld name: remembrance-agent version: 2.12-7build1 commands: ra-index,ra-retrieve name: remind version: 03.01.15-1build1 commands: rem,rem2ps,remind name: remote-logon-config-agent version: 0.9-2 commands: remote-logon-config-agent name: remote-tty version: 4.0-13build1 commands: addrconsole,delrconsole,rconsole,rconsole-user,remote-tty,startsrv,ttysrv name: remotetea version: 1.0.7-3 commands: jrpcgen name: remotetrx version: 17.12.1-2 commands: remotetrx name: rename version: 0.20-7 commands: file-rename,prename,rename name: renameutils version: 0.12.0-5build1 commands: deurlname,icmd,icp,imv,qcmd,qcp,qmv name: renattach version: 1.2.4-5 commands: renattach name: render-bench version: 0~20100619-0ubuntu2 commands: render_bench name: reniced version: 1.21-1 commands: reniced name: renpy version: 6.99.14.1+dfsg-1 commands: renpy name: renpy-demo version: 6.99.14.1+dfsg-1 commands: renpy-demo name: renpy-thequestion version: 6.99.14.1+dfsg-1 commands: the_question name: renrot version: 1.2.0-0.2 commands: renrot name: rep version: 0.92.5-3build2 commands: rep,rep-remote name: repeatmasker-recon version: 1.08-3 commands: MSPCollect,edgeredef,eledef,eleredef,famdef,imagespread,repeatmasker-recon name: repetier-host version: 0.85+dfsg-2 commands: repetier-host name: rephrase version: 0.2-2 commands: rephrase name: repmgr-common version: 4.0.3-1 commands: repmgr,repmgrd name: repo version: 1.12.37-3ubuntu1 commands: repo name: reportbug version: 7.1.8ubuntu1 commands: querybts,reportbug name: reposurgeon version: 3.42-2ubuntu1 commands: cyreposurgeon,repocutter,repodiffer,repomapper,reposurgeon,repotool name: reprepro version: 5.1.1-1 commands: changestool,reprepro,rredtool name: repro version: 1:1.11.0~beta5-1 commands: repro,reprocmd name: reprof version: 1.0.1-5 commands: reprof name: reprotest version: 0.7.7 commands: reprotest name: reprounzip version: 1.0.10-1 commands: reprounzip name: reprozip version: 1.0.10-1build1 commands: reprozip name: repsnapper version: 2.5a5-1 commands: repsnapper name: request-tracker4 version: 4.4.2-2 commands: rt-attributes-viewer-4,rt-clean-sessions-4,rt-crontool-4,rt-dump-metadata-4,rt-email-dashboards-4,rt-email-digest-4,rt-email-group-admin-4,rt-externalize-attachments-4,rt-fulltext-indexer-4,rt-importer-4,rt-ldapimport-4,rt-preferences-viewer-4,rt-serializer-4,rt-session-viewer-4,rt-setup-database-4,rt-setup-fulltext-index-4,rt-shredder-4,rt-validate-aliases-4,rt-validator-4 name: rerun version: 0.11.0-1 commands: rerun name: resample version: 1.8.1-1build2 commands: resample,windowfilter name: resapplet version: 0.0.7+cvs2005.09.30-0ubuntu6 commands: resapplet name: resiprocate-turn-server version: 1:1.11.0~beta5-1 commands: reTurnServer name: resolvconf version: 1.79ubuntu10 commands: resolvconf name: resolvconf-admin version: 0.3-1 commands: resolvconf-admin name: rest2web version: 0.5.2~alpha+svn-r248-2.3 commands: r2w name: restartd version: 0.2.3-1build1 commands: restartd name: restic version: 0.8.3+ds-1 commands: restic name: restorecond version: 2.7-1 commands: restorecond name: retext version: 7.0.1-1 commands: retext name: retroarch version: 1.4.1+dfsg1-1 commands: retroarch name: retweet version: 0.10-1build1 commands: retweet name: revelation version: 0.4.14-3 commands: revelation name: revolt version: 0.0+git20170627.3f5112b-2.1 commands: revolt name: revu-tools version: 0.6.1.5 commands: revu-build,revu-orig,revu-report,revu-review name: rex version: 1.6.0-1 commands: rex,rexify name: rexical version: 1.0.5-2build1 commands: rexical name: rexima version: 1.4-8 commands: rexima name: rfcdiff version: 1.45-1 commands: rfcdiff name: rfdump version: 1.6-5 commands: rfdump name: rgbpaint version: 0.8.7-6 commands: rgbpaint name: rgxg version: 0.1.1-2 commands: rgxg name: rhash version: 1.3.6-2 commands: ed2k-link,edonr256-hash,edonr512-hash,gost-hash,has160-hash,magnet-link,rhash,sfv-hash,tiger-hash,tth-hash,whirlpool-hash name: rhc version: 1.38.7-2 commands: rhc name: rheolef version: 6.7-6 commands: bamg,bamg2geo,branch,csr,field,geo,mkgeo_ball,mkgeo_grid,mkgeo_ugrid,msh2geo name: rhino version: 1.7.7.1-1 commands: js,rhino,rhino-debugger,rhino-jsc name: rhinote version: 0.7.4-3 commands: rhinote name: ri-li version: 2.0.1+ds-7 commands: ri-li name: ricochet version: 0.7 commands: ricochet,rrserve name: ricochet-im version: 1.1.4-2build1 commands: ricochet name: riemann-c-client version: 1.9.1-1 commands: riemann-client name: rifiuti version: 20040505-1 commands: rifiuti name: rifiuti2 version: 0.6.1-5 commands: rifiuti-vista,rifiuti2 name: rig version: 1.11-1build2 commands: rig name: rinetd version: 0.62.1sam-1build1 commands: rinetd name: ring version: 20180228.1.503da2b~ds1-1build1 commands: gnome-ring name: rinse version: 3.2 commands: rinse name: ripe-atlas-tools version: 2.0.2-1 commands: adig,ahttp,antp,aping,asslcert,atraceroute,ripe-atlas name: ripit version: 4.0.0~beta20140508-1 commands: ripit name: ripmime version: 1.4.0.10.debian.1-1 commands: ripmime name: ripoff version: 0.8.3-0ubuntu10 commands: ripoff name: ripole version: 0.2.0+20081101.0215-4 commands: ripole name: ripper version: 0.0~git20150415.0.bd1a682-3 commands: ripper name: ripperx version: 2.8.0-1build2 commands: ripperX,ripperX_plugin_tester,ripperx name: ristretto version: 0.8.2-1ubuntu1 commands: ristretto name: rivet version: 1.8.3-2build1 commands: aida2flat,compare-histos,flat2aida,make-plots,rivet,rivet-chopbins,rivet-mergeruns,rivet-mkhtml,rivet-rescale,rivet-rmgaps name: rivet-plugins-dev version: 1.8.3-2build1 commands: rivet-buildplugin,rivet-mkanalysis name: rkflashtool version: 0~20160324-1 commands: rkcrc,rkflashtool,rkmisc,rkpad,rkparameters,rkparametersblock,rkunpack,rkunsign name: rkhunter version: 1.4.6-1 commands: rkhunter name: rkward version: 0.7.0-1 commands: rkward name: rlfe version: 7.0-3 commands: rlfe name: rlinetd version: 0.9.1-1 commands: inetd2rlinetd,rlinetd,update-inetd name: rlplot version: 1.5-3 commands: exprlp,rlplot name: rlpr version: 2.05-5 commands: rlpq,rlpr,rlprd,rlprm name: rlvm version: 0.14-2.1build3 commands: rlvm name: rlwrap version: 0.43-1 commands: readline-editor,rlwrap name: rmagic version: 2.21-5 commands: rmagic name: rmail version: 8.15.2-10 commands: rmail name: rman version: 3.2-7build1 commands: rman name: rmligs-german version: 20161207-4 commands: rmligs-german name: rmlint version: 2.6.1-1 commands: rmlint name: rnahybrid version: 2.1.2-4 commands: RNAcalibrate,RNAeffective,RNAhybrid name: rnetclient version: 2017.1-1 commands: rnetclient name: rng-tools version: 5-0ubuntu4 commands: rngd,rngtest name: rng-tools5 version: 5-2 commands: rngd,rngtest name: roaraudio version: 1.0~beta11-10 commands: roard name: roarclients version: 1.0~beta11-10 commands: roarbidir,roarcat,roarcatplay,roarclientpass,roarctl,roardtmf,roarfilt,roarinterconnect,roarlight,roarmon,roarmonhttp,roarphone,roarpluginapplication,roarpluginrunner,roarradio,roarshout,roarsin,roarvio,roarvorbis,roarvumeter name: roarplaylistd version: 0.1.9-6 commands: roarplaylistd name: roarplaylistd-codechelper-gst version: 0.1.9-6 commands: rpld-codec-helper name: roarplaylistd-tools version: 0.1.9-6 commands: rpld-ctl,rpld-import,rpld-listplaylists,rpld-listq,rpld-next,rpld-queueple,rpld-setpointer,rpld-showplaying,rpld-storemgr name: roary version: 3.12.0+dfsg-1 commands: create_pan_genome,create_pan_genome_plots,extract_proteome_from_gff,iterative_cdhit,pan_genome_assembly_statistics,pan_genome_core_alignment,pan_genome_post_analysis,pan_genome_reorder_spreadsheet,parallel_all_against_all_blastp,protein_alignment_from_nucleotides,query_pan_genome,roary,roary-create_pan_genome_plots.R,roary-pan_genome_reorder_spreadsheet,roary-query_pan_genome,roary-unique_genes_per_sample,transfer_annotation_to_groups name: robocode version: 1.9.3.1-1 commands: robocode name: robocut version: 1.0.11-1 commands: robocut name: robojournal version: 0.5-1build1 commands: robojournal name: robotfindskitten version: 2.7182818.701-1 commands: robotfindskitten name: robustirc-bridge version: 1.7-2 commands: robustirc-bridge name: rockdodger version: 1.0.2-2 commands: rockdodger name: rocs version: 4:17.12.3-0ubuntu1 commands: rocs name: roffit version: 0.7~20120815+gitbbf62e6-1 commands: roffit name: rofi version: 1.5.0-1 commands: rofi,rofi-sensible-terminal,rofi-theme-selector name: roger-router version: 1.8.14-2build3 commands: roger name: roger-router-cli version: 1.8.14-2build3 commands: roger_cli name: roguenarok version: 1.0-1ubuntu1 commands: rnr-lsi,rnr-mast,rnr-prune,rnr-tii,roguenarok-parallel,roguenarok-single name: rolldice version: 1.16-1 commands: rolldice name: rolo version: 013-3 commands: rolo name: roodi version: 5.0.0-1 commands: roodi,roodi-describe name: root-tail version: 1.2-4 commands: root-tail name: rosbash version: 1.14.2-1 commands: rosrun name: rosegarden version: 1:17.12.1-1 commands: rosegarden name: rospack-tools version: 2.4.3-1build1 commands: rospack,rosstack name: rotix version: 0.83-5build1 commands: rotix name: rotter version: 0.9-3build2 commands: rotter name: routino version: 3.2-2 commands: filedumper,filedumper-slim,filedumperx,planetsplitter,planetsplitter-slim,routino-router,routino-router+lib,routino-router+lib-slim,routino-router-slim name: rows version: 0.3.1-2 commands: rows name: rox-filer version: 1:2.11-1 commands: rox,rox-filer name: rpl version: 1.5.7-1 commands: rpl name: rplay-client version: 3.3.2-16 commands: rplay,rplaydsp,rptp name: rplay-contrib version: 3.3.2-16 commands: Mailsound,mailsound name: rplay-server version: 3.3.2-16 commands: rplayd name: rpm version: 4.14.1+dfsg1-2 commands: gendiff,rpm,rpmbuild,rpmdb,rpmgraph,rpmkeys,rpmquery,rpmsign,rpmspec,rpmverify name: rpm2cpio version: 4.14.1+dfsg1-2 commands: rpm2archive,rpm2cpio name: rpmlint version: 1.9-6 commands: rpmdiff,rpmlint name: rrdcached version: 1.7.0-1build1 commands: rrdcached name: rrdcollect version: 0.2.10-2build1 commands: rrdcollect name: rrep version: 1.3.6-1ubuntu1 commands: rrep name: rrootage version: 0.23a-12build1 commands: rrootage name: rs version: 20140609-5 commands: rs name: rsakeyfind version: 1:1.0-4 commands: rsakeyfind name: rsbac-admin version: 1.4.0-repack-0ubuntu6 commands: acl_grant,acl_group,acl_mask,acl_rights,acl_rm_user,acl_tlist,attr_back_dev,attr_back_fd,attr_back_group,attr_back_net,attr_back_user,attr_get_fd,attr_get_file_dir,attr_get_group,attr_get_ipc,attr_get_net,attr_get_process,attr_get_up,attr_get_user,attr_rm_fd,attr_rm_file_dir,attr_rm_user,attr_set_fd,attr_set_file_dir,attr_set_group,attr_set_ipc,attr_set_net,attr_set_process,attr_set_up,attr_set_user,auth_back_cap,auth_set_cap,backup_all,backup_all_1.1.2,daz_flush,get_attribute_name,get_attribute_nr,linux2acl,mac_back_trusted,mac_get_levels,mac_set_trusted,mac_wrap,net_temp,pm_create,pm_ct_exec,rc_copy_role,rc_copy_type,rc_get_current_role,rc_get_eff_rights_fd,rc_get_item,rc_role_wrap,rc_set_item,rsbac_acl_group_menu,rsbac_acl_menu,rsbac_auth,rsbac_check,rsbac_dev_menu,rsbac_fd_menu,rsbac_gpasswd,rsbac_group_menu,rsbac_groupadd,rsbac_groupdel,rsbac_groupmod,rsbac_groupshow,rsbac_init,rsbac_jail,rsbac_list_ta,rsbac_login,rsbac_menu,rsbac_netdev_menu,rsbac_nettemp_def_menu,rsbac_nettemp_menu,rsbac_passwd,rsbac_pm,rsbac_process_menu,rsbac_rc_role_menu,rsbac_rc_type_menu,rsbac_settings_menu,rsbac_stats,rsbac_stats_pm,rsbac_user_menu,rsbac_useradd,rsbac_userdel,rsbac_usermod,rsbac_usershow,rsbac_version,rsbac_write,switch_adf_log,switch_module,user_aci name: rsbac-klogd version: 1.4.0-repack-0ubuntu6 commands: rklogd,rklogd-viewer name: rsbackup version: 4.0-1ubuntu1 commands: rsbackup,rsbackup-mount,rsbackup-snapshot-hook,rsbackup.cron name: rsbackup-graph version: 4.0-1ubuntu1 commands: rsbackup-graph name: rsem version: 1.2.31+dfsg-1 commands: convert-sam-for-rsem,extract-transcript-to-gene-map-from-trinity,rsem-bam2readdepth,rsem-bam2wig,rsem-build-read-index,rsem-calculate-credibility-intervals,rsem-calculate-expression,rsem-control-fdr,rsem-extract-reference-transcripts,rsem-gen-transcript-plots,rsem-generate-data-matrix,rsem-generate-ngvector,rsem-get-unique,rsem-gff3-to-gtf,rsem-parse-alignments,rsem-plot-model,rsem-plot-transcript-wiggles,rsem-prepare-reference,rsem-preref,rsem-refseq-extract-primary-assembly,rsem-run-ebseq,rsem-run-em,rsem-run-gibbs,rsem-sam-validator,rsem-scan-for-paired-end-reads,rsem-simulate-reads,rsem-synthesis-reference-transcripts,rsem-tbam2gbam name: rsh-client version: 0.17-17 commands: netkit-rcp,netkit-rlogin,netkit-rsh,rcp,rlogin,rsh name: rsh-redone-client version: 85-2build1 commands: rlogin,rsh,rsh-redone-rlogin,rsh-redone-rsh name: rsh-redone-server version: 85-2build1 commands: in.rlogind,in.rshd name: rsh-server version: 0.17-17 commands: checkrhosts,in.rexecd,in.rlogind,in.rshd name: rsibreak version: 4:0.12.8-2 commands: rsibreak name: rsnapshot version: 1.4.2-1 commands: rsnapshot,rsnapshot-diff name: rsplib-legacy-wrappers version: 3.0.1-1ubuntu6 commands: registrar,server,terminal name: rsplib-registrar version: 3.0.1-1ubuntu6 commands: rspregistrar name: rsplib-services version: 3.0.1-1ubuntu6 commands: calcappclient,fractalpooluser,pingpongclient,scriptingclient,scriptingcontrol,scriptingserviceexample name: rsplib-tools version: 3.0.1-1ubuntu6 commands: cspmonitor,hsdump,rspserver,rspterminal name: rsrce version: 0.2.2 commands: rsrce name: rss-glx version: 0.9.1-6.1ubuntu1 commands: rss-glx_install name: rss2email version: 1:3.9-4 commands: r2e name: rss2irc version: 1.1-2 commands: rss2irc name: rssh version: 2.3.4-7 commands: rssh name: rsstail version: 1.8-1 commands: rsstail name: rst2pdf version: 0.93-6 commands: rst2pdf name: rstat-client version: 4.0.1-9 commands: rsysinfo,rup name: rstatd version: 4.0.1-9 commands: rpc.rstatd name: rsyncrypto version: 1.14-1 commands: rsyncrypto,rsyncrypto_recover name: rt-app version: 0.3-2 commands: rt-app,workgen name: rt-tests version: 1.0-3 commands: cyclictest,hackbench,hwlatdetect,pi_stress,pip_stress,pmqtest,ptsematest,rt-migrate-test,signaltest,sigwaittest,svsematest name: rt4-clients version: 4.4.2-2 commands: rt,rt-4,rt-mailgate,rt-mailgate-4 name: rt4-extension-repeatticket version: 1.10-5 commands: rt-repeat-ticket name: rtax version: 0.984-5 commands: rtax name: rtklib version: 2.4.3+dfsg1-1 commands: convbin,pos2kml,rnx2rtcm,rnx2rtkp,rtkrcv,str2str name: rtklib-qt version: 2.4.3+dfsg1-1 commands: rtkconv_qt,rtkget_qt,rtklaunch_qt,rtknavi_qt,rtkplot_qt,rtkpost_qt,srctblbrows_qt,strsvr_qt name: rtl-sdr version: 0.5.3-13 commands: rtl_adsb,rtl_eeprom,rtl_fm,rtl_power,rtl_sdr,rtl_tcp,rtl_test name: rtmpdump version: 2.4+20151223.gitfa8646d.1-1 commands: rtmpdump,rtmpgw,rtmpsrv,rtmpsuck name: rtorrent version: 0.9.6-3build1 commands: rtorrent name: rtpproxy version: 1.2.1-2.2 commands: makeann,rtpproxy name: rttool version: 1.0.3.0-5 commands: rt2 name: rtv version: 1.21.0+dfsg-1 commands: rtv name: rubber version: 1.4-2 commands: rubber,rubber-info,rubber-pipe name: rubberband-cli version: 1.8.1-7ubuntu2 commands: rubberband name: rubiks version: 20070912-2build1 commands: rubiks_cubex,rubiks_dikcube,rubiks_optimal name: rubocop version: 0.52.1+dfsg-1 commands: rubocop name: ruby-active-model-serializers version: 0.9.7-1 commands: bench name: ruby-adsf version: 1.2.1+dfsg1-1 commands: adsf name: ruby-aruba version: 0.14.2-2 commands: aruba name: ruby-ascii85 version: 1.0.2-3 commands: ascii85 name: ruby-aws-sdk version: 1.67.0-2 commands: aws-rb name: ruby-azure version: 0.7.9-1 commands: pfxer name: ruby-bacon version: 1.2.0-5 commands: bacon name: ruby-bcat version: 0.6.2-6 commands: a2h,bcat,btee name: ruby-beautify version: 0.97.4-4 commands: rbeautify,ruby-beautify name: ruby-beefcake version: 1.0.0-1 commands: protoc-gen-beefcake name: ruby-benchmark-suite version: 1.0.0+git.20130122.5bded6-2 commands: ruby-benchmark-suite name: ruby-bio version: 1.5.0-2ubuntu1 commands: bioruby,br_biofetch,br_bioflat,br_biogetseq,br_pmfetch name: ruby-bluefeather version: 0.41-4 commands: bluefeather name: ruby-build version: 20170726-1 commands: ruby-build name: ruby-bundler version: 1.16.1-1 commands: bundle,bundler name: ruby-byebug version: 10.0.1-1 commands: byebug name: ruby-cassiopee version: 0.1.13-1 commands: cassie name: ruby-clockwork version: 1.2.0-3 commands: clockwork,clockworkd name: ruby-combustion version: 0.5.4-1 commands: combust name: ruby-commander version: 4.4.4-1 commands: commander name: ruby-compass version: 1.0.3~dfsg-5 commands: compass name: ruby-coveralls version: 0.8.21-1 commands: coveralls name: ruby-crb-blast version: 0.6.9-1 commands: crb-blast name: ruby-cutest version: 1.2.1-2 commands: cutest name: ruby-dbf version: 3.0.5-1 commands: dbf-rb name: ruby-debian version: 0.3.9build8 commands: dpkg-checkdeps,dpkg-ruby name: ruby-dotenv version: 2.2.1-1 commands: dotenv name: ruby-emot version: 0.0.4-1 commands: emot name: ruby-erubis version: 2.7.0-3 commands: erubis name: ruby-eye version: 0.7-5 commands: eye,leye,loader_eye name: ruby-factory-girl-rails version: 4.7.0-1 commands: setup name: ruby-file-tail version: 1.1.1-2 commands: rtail name: ruby-fission version: 0.5.0-2 commands: fission name: ruby-fix-trinity-output version: 1.0.0-1 commands: fix-trinity-output name: ruby-fog version: 1.42.0-2 commands: fog name: ruby-foreman version: 0.82.0-2 commands: foreman name: ruby-gettext version: 3.2.9-1 commands: rmsgcat,rmsgfmt,rmsginit,rmsgmerge,rxgettext name: ruby-gherkin version: 4.0.0-2 commands: gherkin-generate-ast,gherkin-generate-pickles,gherkin-generate-tokens name: ruby-github-linguist version: 5.3.3-1 commands: git-linguist,github-linguist name: ruby-github-markup version: 1.6.3-1 commands: github-markup name: ruby-gitlab version: 4.2.0-1 commands: gitlab name: ruby-gli version: 2.14.0-1 commands: gli name: ruby-god version: 0.13.7-2build2 commands: god name: ruby-google-api-client version: 0.19.8-1 commands: generate-api name: ruby-graphviz version: 1.2.3-1ubuntu1 commands: dot2ruby,gem2gv,git2gv,ruby2gv,xml2gv name: ruby-grpc-tools version: 1.3.2+debian-4build1 commands: grpc_tools_ruby_protoc,grpc_tools_ruby_protoc_plugin name: ruby-guard version: 2.14.2-2 commands: _guard-core,guard name: ruby-haml version: 4.0.7-1 commands: haml name: ruby-hikidoc version: 0.1.0-2 commands: hikidoc name: ruby-hocon version: 1.2.5-1 commands: hocon name: ruby-hoe version: 3.16.0-1 commands: sow name: ruby-html-pipeline version: 1.11.0-1ubuntu1 commands: html-pipeline name: ruby-html2haml version: 2.2.0-1 commands: html2haml name: ruby-httparty version: 0.15.6-1 commands: httparty name: ruby-httpclient version: 2.8.3-1ubuntu1 commands: httpclient name: ruby-jar-dependencies version: 0.3.10-2 commands: lock_jars name: ruby-jeweler version: 2.0.1-3 commands: jeweler name: ruby-kpeg version: 1.0.0-1 commands: kpeg name: ruby-kramdown version: 1.15.0-1 commands: kramdown name: ruby-kramdown-rfc2629 version: 1.2.7-1 commands: kdrfc,kramdown-rfc-extract-markdown,kramdown-rfc2629 name: ruby-license-finder version: 2.1.2-2 commands: license_finder name: ruby-licensee version: 8.9.2-1 commands: licensee name: ruby-listen version: 3.1.5-1 commands: listen name: ruby-lockfile version: 2.1.3-1 commands: rlock name: ruby-mail-room version: 0.9.1-2 commands: mail_room name: ruby-maruku version: 0.7.2-1 commands: maruku,marutex name: ruby-mizuho version: 0.9.20+dfsg-1 commands: mizuho,mizuho-asciidoc name: ruby-mustache version: 1.0.2-1 commands: mustache name: ruby-neovim version: 0.7.1-1 commands: neovim-ruby-host name: ruby-nokogiri version: 1.8.2-1build1 commands: nokogiri name: ruby-notify version: 0.5.2-2 commands: notify name: ruby-oauth version: 0.5.3-1 commands: oauth name: ruby-org version: 0.9.12-2 commands: org-ruby name: ruby-parser version: 3.8.2-1 commands: ruby_parse name: ruby-premailer version: 1.8.6-2 commands: premailer name: ruby-prof version: 0.17.0+dfsg-3 commands: ruby-prof,ruby-prof-check-trace name: ruby-proxifier version: 1.0.3-1 commands: pirb,pruby name: ruby-rack version: 1.6.4-4 commands: rackup name: ruby-railties version: 2:4.2.10-0ubuntu4 commands: rails name: ruby-rdiscount version: 2.1.8-1build5 commands: rdiscount name: ruby-redcarpet version: 3.4.0-4build1 commands: redcarpet name: ruby-redcloth version: 4.3.2-3build1 commands: redcloth name: ruby-rest-client version: 2.0.2-3 commands: restclient name: ruby-rgfa version: 1.3.1-1 commands: gfadiff,rgfa-findcrisprs,rgfa-mergelinear,rgfa-simdebruijn name: ruby-ronn version: 0.7.3-5 commands: ronn name: ruby-rotp version: 2.1.1+dfsg-1 commands: rotp name: ruby-rouge version: 2.2.1-1 commands: rougify name: ruby-rspec-core version: 3.7.0c1e0m0s1-1 commands: rspec name: ruby-rspec-puppet version: 2.6.1-1 commands: rspec-puppet-init name: ruby-ruby2ruby version: 2.3.0-1 commands: r2r_show name: ruby-rugments version: 1.0.0~beta8-1 commands: rugmentize name: ruby-sass version: 3.4.23-1 commands: sass,sass-convert,scss name: ruby-sdoc version: 1.0.0-0ubuntu1 commands: sdoc,sdoc-merge name: ruby-sequel version: 5.6.0-1 commands: sequel name: ruby-serverspec version: 2.41.3-3 commands: serverspec-init name: ruby-shindo version: 0.3.8-1 commands: shindo,shindont name: ruby-shoulda-context version: 1.2.0-1 commands: convert_to_should_syntax name: ruby-sidekiq version: 5.0.4+dfsg-2 commands: sidekiq,sidekiqctl name: ruby-spring version: 1.3.6-2ubuntu1 commands: spring name: ruby-sprite-factory version: 1.7.1-2 commands: sf name: ruby-sprockets version: 3.7.0-1 commands: sprockets name: ruby-standalone version: 2.5.0 commands: ruby-standalone name: ruby-stomp version: 1.4.4-1 commands: catstomp,stompcat name: ruby-term-ansicolor version: 1.3.0-1 commands: decolor name: ruby-test-spec version: 0.10.0-3build1 commands: specrb name: ruby-thor version: 0.19.4-1 commands: thor name: ruby-tilt version: 2.0.1-2 commands: tilt name: ruby-tioga version: 1.19.1-2build2 commands: irb_tioga,tioga name: ruby-whenever version: 0.9.4-1build1 commands: whenever,wheneverize name: ruby-whitequark-parser version: 2.4.0.2-1 commands: ruby-parse,ruby-rewrite name: ruby-zentest version: 4.11.0-2 commands: autotest,multigem,multiruby,multiruby_setup,unit_diff,zentest name: rumor version: 1.0.5-2.1 commands: rumor name: runawk version: 1.6.0-2 commands: alt_getopt,alt_getopt.sh,runawk name: runc version: 1.0.0~rc4+dfsg1-6 commands: recvtty,runc name: runcircos-gui version: 0.0+20160403-1 commands: runcircos-gui name: rungetty version: 1.2-16build1 commands: rungetty name: runit version: 2.1.2-9.2ubuntu1 commands: chpst,runit,runit-init,runsv,runsvchdir,runsvdir,sv,svlogd,update-service,utmpset name: runlim version: 1.10-4 commands: runlim name: runoverssh version: 2.2-1 commands: runoverssh name: runsnakerun version: 2.0.4-2 commands: runsnake,runsnakemem name: rurple-ng version: 0.5+16-1.2 commands: rurple-ng name: rusers version: 0.17-8build1 commands: rusers name: rusersd version: 0.17-8build1 commands: rpc.rusersd name: rush version: 1.8+dfsg-1.1 commands: rush,rushlast,rushwho name: rust-gdb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-gdb name: rust-lldb version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rust-lldb name: rustc version: 1.24.1+dfsg1+llvm-0ubuntu2 commands: rustc,rustdoc name: rutilt version: 0.18-0ubuntu6 commands: rutilt,rutilt_helper name: rviz version: 1.12.4+dfsg-3 commands: rviz name: rwall version: 0.17-7build1 commands: rwall name: rwalld version: 0.17-7build1 commands: rpc.rwalld name: rwho version: 0.17-13build1 commands: ruptime,rwho name: rwhod version: 0.17-13build1 commands: rwhod name: rxp version: 1.5.0-2ubuntu2 commands: rxp name: rxvt version: 1:2.7.10-7.1+urxvt9.22-3 commands: rxvt-xpm,rxvt-xterm name: rxvt-ml version: 1:2.7.10-7.1+urxvt9.22-3 commands: crxvt,crxvt-big5,crxvt-gb,grxvt,krxvt name: rxvt-unicode version: 9.22-3 commands: rxvt,rxvt-unicode,urxvt,urxvtc,urxvtcd,urxvtd,x-terminal-emulator name: rygel version: 0.36.1-1 commands: rygel name: rygel-preferences version: 0.36.1-1 commands: rygel-preferences name: rzip version: 2.1-4.1 commands: runzip,rzip name: s-nail version: 14.9.6-3 commands: s-nail name: s3270 version: 3.6ga4-3 commands: s3270 name: s390-tools-cpuplugd version: 2.3.0-0ubuntu3 commands: cpuplugd name: s390-tools-osasnmpd version: 2.3.0-0ubuntu3 commands: osasnmpd name: s390-tools-statd version: 2.3.0-0ubuntu3 commands: mon_fsstatd,mon_procd name: s3backer version: 1.4.3-2build2 commands: s3backer name: s3cmd version: 2.0.1-2 commands: s3cmd name: s3curl version: 1.0.0-1 commands: s3curl name: s3d version: 0.2.2-14build1 commands: s3d name: s3dfm version: 0.2.2-14build1 commands: s3dfm name: s3dosm version: 0.2.2-14build1 commands: s3dosm name: s3dvt version: 0.2.2-14build1 commands: s3dvt name: s3dx11gate version: 0.2.2-14build1 commands: s3d_x11gate name: s3fs version: 1.82-1 commands: s3fs name: s3ql version: 2.26+dfsg-4 commands: expire_backups,fsck.s3ql,mkfs.s3ql,mount.s3ql,parallel-cp,s3ql_oauth_client,s3ql_remove_objects,s3ql_verify,s3qladm,s3qlcp,s3qlctrl,s3qllock,s3qlrm,s3qlstat,umount.s3ql name: s4cmd version: 2.0.1+ds-1 commands: s4cmd name: s5 version: 1.1.dfsg.2-6 commands: s5 name: s51dude version: 0.3.1-1.1build1 commands: s51dude name: sac version: 1.9b5-3build1 commands: rawtmp,sac,wcat,writetmp name: sac2mseed version: 1.12+ds1-3 commands: sac2mseed name: safe-rm version: 0.12-2 commands: rm,safe-rm name: safecat version: 1.13-3 commands: safecat name: safecopy version: 1.7-2 commands: safecopy name: safeeyes version: 2.0.0-2 commands: safeeyes name: safelease version: 1.0-1build1 commands: safelease name: saga version: 2.3.1+dfsg-3build7 commands: saga_cmd,saga_gui name: sagan version: 1.1.2-0.3 commands: sagan name: sagcad version: 0.9.14-0ubuntu4 commands: sagcad name: sagemath-common version: 8.1-7ubuntu1 commands: sage name: sahara-common version: 1:8.0.0-0ubuntu1 commands: _sahara-subprocess,sahara-all,sahara-api,sahara-db-manage,sahara-engine,sahara-image-pack,sahara-rootwrap,sahara-templates,sahara-wsgi-api name: saidar version: 0.91-1build1 commands: saidar name: sailcut version: 1.4.1-1 commands: sailcut name: saint version: 2.5.0+dfsg-2build1 commands: saint-int-ctrl,saint-reformat,saint-spc-ctrl,saint-spc-noctrl,saint-spc-noctrl-matrix name: sakura version: 3.5.0-1 commands: sakura,x-terminal-emulator name: salliere version: 0.10-3 commands: ecl2salliere,salliere name: salt-api version: 2017.7.4+dfsg1-1 commands: salt-api name: salt-cloud version: 2017.7.4+dfsg1-1 commands: salt-cloud name: salt-common version: 2017.7.4+dfsg1-1 commands: salt-call,spm name: salt-master version: 2017.7.4+dfsg1-1 commands: salt,salt-cp,salt-key,salt-master,salt-run,salt-unity name: salt-minion version: 2017.7.4+dfsg1-1 commands: salt-minion name: salt-pepper version: 0.5.2-1 commands: salt-pepper name: salt-proxy version: 2017.7.4+dfsg1-1 commands: salt-proxy name: salt-ssh version: 2017.7.4+dfsg1-1 commands: salt-ssh name: salt-syndic version: 2017.7.4+dfsg1-1 commands: salt-syndic name: samba-testsuite version: 2:4.7.6+dfsg~ubuntu-0ubuntu2 commands: gentest,locktest,masktest,ndrdump,smbtorture name: samdump2 version: 3.0.0-6build1 commands: samdump2 name: samhain version: 4.1.4-2build1 commands: samhain name: samizdat version: 0.7.0-2 commands: samizdat-create-database,samizdat-import-feeds,samizdat-role,update-indymedia-cities name: samplerate-programs version: 0.1.9-1 commands: sndfile-resample name: samplv1 version: 0.8.6-1 commands: samplv1_jack name: samtools version: 1.7-1 commands: ace2sam,blast2sam.pl,bowtie2sam.pl,export2sam.pl,interpolate_sam.pl,maq2sam-long,maq2sam-short,md5fa,md5sum-lite,novo2sam.pl,plot-bamstats,psl2sam.pl,sam2vcf.pl,samtools,samtools.pl,seq_cache_populate.pl,soap2sam.pl,varfilter.py,wgsim,wgsim_eval.pl,zoom2sam.pl name: sane version: 1.0.14-12build1 commands: scanadf,xcam,xscanimage name: sanitizer version: 1.76-5 commands: sanitizer,simplify name: sanlock version: 3.6.0-2 commands: sanlock,wdmd name: saods9 version: 7.5+repack1-2 commands: ds9 name: sapphire version: 0.15.8-9.1 commands: sapphire,x-window-manager name: sarg version: 2.3.11-1 commands: sarg,sarg-reports name: sash version: 3.8-4 commands: sash name: sass-spec version: 3.5.0-2-1 commands: sass-spec,sass-spec.rb name: sassc version: 3.4.5-1 commands: sassc name: sasview version: 4.2.0~git20171031-5 commands: sasview name: sat-xmpp-core version: 0.6.1.1+hg20180208-1 commands: sat name: sat-xmpp-jp version: 0.6.1.1+hg20180208-1 commands: jp name: sat-xmpp-primitivus version: 0.6.1.1+hg20180208-1 commands: primitivus name: sat4j version: 2.3.5-0.2 commands: sat4j name: sauce version: 0.9.0+nmu3 commands: sauce,sauce-bwlist,sauce-run,sauce-setsyspolicy,sauce-setuserpolicy,sauce9-convert,sauceadmin name: savi version: 1.5.1-1 commands: savi name: sawfish version: 1:1.11.90-1.1 commands: sawfish,sawfish-about,sawfish-client,sawfish-config,sawfish-kde4-session,sawfish-kde5-session,sawfish-lumina-session,sawfish-mate-session,sawfish-xfce-session,x-window-manager name: saytime version: 1.0-28 commands: saytime name: sbd version: 1.3.1-2 commands: sbd name: sblim-cmpi-common version: 1.6.2-0ubuntu2 commands: cmpi-provider-register name: sblim-wbemcli version: 1.6.3-2 commands: wbemcli name: sbrsh version: 7.6.1build1 commands: sbrsh name: sbrshd version: 7.6.1build1 commands: sbrshd name: sbuild-debian-developer-setup version: 0.75.0-1ubuntu1 commands: sbuild-debian-developer-setup name: sbuild-launchpad-chroot version: 0.14 commands: sbuild-launchpad-chroot name: sc version: 7.16-4ubuntu2 commands: psc,sc,scqref name: scala version: 2.11.12-2 commands: fsc,scala,scalac,scaladoc,scalap name: scalpel version: 1.60-4 commands: scalpel name: scamp version: 2.0.4+dfsg-1 commands: scamp name: scamper version: 20171204-2 commands: sc_ally,sc_analysis_dump,sc_attach,sc_bdrmap,sc_filterpolicy,sc_ipiddump,sc_prefixscan,sc_radargun,sc_remoted,sc_speedtrap,sc_tbitblind,sc_tracediff,sc_warts2json,sc_warts2pcap,sc_warts2text,sc_wartscat,sc_wartsdump,scamper name: scanbd version: 1.5.1-2 commands: scanbd,scanbm name: scanlogd version: 2.2.5-3.3 commands: scanlogd name: scanmem version: 0.17-2 commands: scanmem name: scanssh version: 2.1-0ubuntu7 commands: scanssh name: scantailor version: 0.9.12.2-3 commands: scantailor,scantailor-cli name: scantool version: 1.21+dfsg-6 commands: scantool name: scantv version: 3.103-4build1 commands: scantv name: scap-workbench version: 1.1.5-1 commands: scap-workbench name: schedtool version: 1.3.0-2 commands: schedtool name: schema2ldif version: 1.3-1 commands: ldap-schema-manager,schema2ldif name: scheme48 version: 1.9-5build1 commands: scheme-r5rs,scheme-r5rs.scheme48,scheme-srfi-7,scheme-srfi-7.scheme48,scheme48,scheme48-config name: scheme9 version: 2017.11.09-1 commands: s9,s9advgen,s9c2html,s9cols,s9dupes,s9edoc,s9help,s9htmlify,s9hts,s9resolve,s9scm2html,s9scmpp,s9soccat name: schism version: 2:20180209-1 commands: schismtracker name: schleuder version: 3.0.0~beta11-2 commands: schleuder,schleuder-api-daemon name: schleuder-cli version: 0.1.0-2 commands: schleuder-cli name: scid version: 1:4.6.4+dfsg1-2 commands: pgnfix,sc_eco,sc_epgn,sc_import,sc_remote,sc_spell,scid,scidpgn,spf2spi,spliteco,tkscid name: science-biology version: 1.7ubuntu3 commands: science-biology name: science-chemistry version: 1.7ubuntu3 commands: science-chemistry name: science-config version: 1.7ubuntu3 commands: science-config name: science-dataacquisition version: 1.7ubuntu3 commands: science-dataacquisition name: science-dataacquisition-dev version: 1.7ubuntu3 commands: science-dataacquisition-dev name: science-distributedcomputing version: 1.7ubuntu3 commands: science-distributedcomputing name: science-economics version: 1.7ubuntu3 commands: science-economics name: science-electronics version: 1.7ubuntu3 commands: science-electronics name: science-electrophysiology version: 1.7ubuntu3 commands: science-electrophysiology name: science-engineering version: 1.7ubuntu3 commands: science-engineering name: science-engineering-dev version: 1.7ubuntu3 commands: science-engineering-dev name: science-financial version: 1.7ubuntu3 commands: science-financial name: science-geography version: 1.7ubuntu3 commands: science-geography name: science-geometry version: 1.7ubuntu3 commands: science-geometry name: science-highenergy-physics version: 1.7ubuntu3 commands: science-highenergy-physics name: science-highenergy-physics-dev version: 1.7ubuntu3 commands: science-highenergy-physics-dev name: science-imageanalysis version: 1.7ubuntu3 commands: science-imageanalysis name: science-imageanalysis-dev version: 1.7ubuntu3 commands: science-imageanalysis-dev name: science-linguistics version: 1.7ubuntu3 commands: science-linguistics name: science-logic version: 1.7ubuntu3 commands: science-logic name: science-machine-learning version: 1.7ubuntu3 commands: science-machine-learning name: science-mathematics version: 1.7ubuntu3 commands: science-mathematics name: science-mathematics-dev version: 1.7ubuntu3 commands: science-mathematics-dev name: science-meteorology version: 1.7ubuntu3 commands: science-meteorology name: science-meteorology-dev version: 1.7ubuntu3 commands: science-meteorology-dev name: science-nanoscale-physics version: 1.7ubuntu3 commands: science-nanoscale-physics name: science-nanoscale-physics-dev version: 1.7ubuntu3 commands: science-nanoscale-physics-dev name: science-neuroscience-cognitive version: 1.7ubuntu3 commands: science-neuroscience-cognitive name: science-neuroscience-modeling version: 1.7ubuntu3 commands: science-neuroscience-modeling name: science-numericalcomputation version: 1.7ubuntu3 commands: science-numericalcomputation name: science-physics version: 1.7ubuntu3 commands: science-physics name: science-physics-dev version: 1.7ubuntu3 commands: science-physics-dev name: science-presentation version: 1.7ubuntu3 commands: science-presentation name: science-psychophysics version: 1.7ubuntu3 commands: science-psychophysics name: science-robotics version: 1.7ubuntu3 commands: science-robotics name: science-robotics-dev version: 1.7ubuntu3 commands: science-robotics-dev name: science-simulations version: 1.7ubuntu3 commands: science-simulations name: science-social version: 1.7ubuntu3 commands: science-social name: science-statistics version: 1.7ubuntu3 commands: science-statistics name: science-typesetting version: 1.7ubuntu3 commands: science-typesetting name: science-viewing version: 1.7ubuntu3 commands: science-viewing name: science-viewing-dev version: 1.7ubuntu3 commands: science-viewing-dev name: science-workflow version: 1.7ubuntu3 commands: science-workflow name: scilab version: 6.0.1-1ubuntu1 commands: scilab,scilab-adv-cli,scinotes,xcos name: scilab-cli version: 6.0.1-1ubuntu1 commands: scilab-cli name: scilab-full-bin version: 6.0.1-1ubuntu1 commands: scilab-bin name: scilab-minimal-bin version: 6.0.1-1ubuntu1 commands: scilab-cli-bin name: scim version: 1.4.18-2 commands: scim,scim-config-agent,scim-setup name: scim-im-agent version: 1.4.18-2 commands: scim-im-agent name: scim-modules-table version: 0.5.14-2 commands: scim-make-table name: scite version: 4.0.0-1 commands: SciTE,scite name: sciteproj version: 1.10-1 commands: sciteproj name: scmail version: 1.3-4 commands: scbayes,scmail-deliver,scmail-refile name: scmxx version: 0.9.0-2.4 commands: adr2vcf,apoconv,scmxx,smi name: scolasync version: 5.2-2 commands: scolasync name: scons version: 3.0.1-1 commands: scons,scons-configure-cache,scons-time,sconsign name: scorched3d version: 44+dfsg-1build1 commands: scorched3d,scorched3dc,scorched3ds name: scotch version: 6.0.4.dfsg1-8 commands: acpl,acpl-int32,acpl-int64,acpl-long,amk_ccc,amk_ccc-int32,amk_ccc-int64,amk_ccc-long,amk_fft2,amk_fft2-int32,amk_fft2-int64,amk_fft2-long,amk_grf,amk_grf-int32,amk_grf-int64,amk_grf-long,amk_hy,amk_hy-int32,amk_hy-int64,amk_hy-long,amk_m2,amk_m2-int32,amk_m2-int64,amk_m2-long,amk_p2,amk_p2-int32,amk_p2-int64,amk_p2-long,atst,atst-int32,atst-int64,atst-long,gcv,gcv-int32,gcv-int64,gcv-long,gmk_hy,gmk_hy-int32,gmk_hy-int64,gmk_hy-long,gmk_m2,gmk_m2-int32,gmk_m2-int64,gmk_m2-long,gmk_m3,gmk_m3-int32,gmk_m3-int64,gmk_m3-long,gmk_msh,gmk_msh-int32,gmk_msh-int64,gmk_msh-long,gmk_ub2,gmk_ub2-int32,gmk_ub2-int64,gmk_ub2-long,gmtst,gmtst-int32,gmtst-int64,gmtst-long,gord,gord-int32,gord-int64,gord-long,gotst,gotst-int32,gotst-int64,gotst-long,gout,gout-int32,gout-int64,gout-long,gscat,gscat-int32,gscat-int64,gscat-long,gtst,gtst-int32,gtst-int64,gtst-long,mcv,mcv-int32,mcv-int64,mcv-long,mmk_m2,mmk_m2-int32,mmk_m2-int64,mmk_m2-long,mmk_m3,mmk_m3-int32,mmk_m3-int64,mmk_m3-long,mord,mord-int32,mord-int64,mord-long,mtst,mtst-int32,mtst-int64,mtst-long,scotch_esmumps,scotch_esmumps-int32,scotch_esmumps-int64,scotch_esmumps-long,scotch_gbase,scotch_gbase-int32,scotch_gbase-int64,scotch_gbase-long,scotch_gmap,scotch_gmap-int32,scotch_gmap-int64,scotch_gmap-long,scotch_gpart,scotch_gpart-int32,scotch_gpart-int64,scotch_gpart-long name: scottfree version: 1.14-10 commands: scottfree name: scour version: 0.36-2 commands: dh_scour,scour name: scram version: 0.16.2-1 commands: scram name: scram-gui version: 0.16.2-1 commands: scram-gui name: scratch version: 1.4.0.6~dfsg1-5 commands: scratch name: screenbin version: 1.5-0ubuntu1 commands: screenbin name: screenfetch version: 3.8.0-8 commands: screenfetch name: screengrab version: 1.97-2 commands: screengrab name: screenie version: 20120406-1 commands: screenie name: screenie-qt version: 0.0~git20100701-1build1 commands: screenie-qt name: screenkey version: 0.9-2 commands: screenkey name: screenruler version: 0.960+bzr41-1.2 commands: screenruler name: screentest version: 2.0-2.2build1 commands: screentest name: scribus version: 1.4.6+dfsg-4build1 commands: scribus name: scrm version: 1.7.2-1 commands: scrm name: scrobbler version: 0.11+git-4 commands: scrobbler name: scrollz version: 2.2.3-1ubuntu4 commands: scrollz,scrollz-2.2.3 name: scrot version: 0.8-18 commands: scrot name: scrounge-ntfs version: 0.9-8 commands: scrounge-ntfs name: scrub version: 2.6.1-1build1 commands: scrub name: scrypt version: 1.2.1-1build1 commands: scrypt name: scsitools version: 0.12-3ubuntu1 commands: rescan-scsi-bus,scsi-config,scsi-spin,scsidev,scsiformat,scsiinfo,sraw,tk_scsiformat name: sct version: 1.3-1 commands: sct name: sctk version: 2.4.10-20151007-1312Z+dfsg2-3 commands: sctk name: scummvm version: 2.0.0+dfsg-1 commands: scummvm name: scummvm-tools version: 2.0.0-1 commands: construct_mohawk,create_sjisfnt,decine,decompile,degob,dekyra,deriven,descumm,desword2,extract_mohawk,gob_loadcalc,scummvm-tools,scummvm-tools-cli name: scythe version: 0.994-4 commands: scythe name: sd2epub version: 0.9.6-1 commands: sd2epub name: sd2odf version: 0.9.6-1 commands: sd2odf name: sdate version: 0.4+nmu1 commands: sdate name: sdb version: 1.2-1.1 commands: sdb name: sdcc version: 3.5.0+dfsg-2build1 commands: as2gbmap,makebin,packihx,sdar,sdas390,sdas6808,sdas8051,sdasgb,sdasrab,sdasstm8,sdastlcs90,sdasz80,sdcc,sdcclib,sdcpp,sdld,sdld6808,sdldgb,sdldstm8,sdldz80,sdnm,sdobjcopy,sdranlib name: sdcc-ucsim version: 3.5.0+dfsg-2build1 commands: s51,sdcdb,shc08,sstm8,sz80 name: sdcv version: 0.5.2-2 commands: sdcv name: sddm version: 0.17.0-1ubuntu7 commands: sddm,sddm-greeter name: sdf version: 2.001+1-5 commands: fm2ps,mif2rtf,pod2sdf,poddiff,prn2ps,sdf,sdfapi,sdfbatch,sdfcli,sdfget,sdngen name: sdl-ball version: 1.02-2 commands: sdl-ball name: sdlbasic version: 0.0.20070714-6 commands: sdlBasic name: sdlbrt version: 0.0.20070714-6 commands: sdlBrt name: sdop version: 0.80-3 commands: sdop name: sdpa version: 7.3.11+dfsg-1ubuntu1 commands: sdpa name: sdparm version: 1.08-1build1 commands: sas_disk_blink,scsi_ch_swp,sdparm name: sdpb version: 1.0-3build3 commands: sdpb name: sdrangelove version: 0.0.1.20150707-2build3 commands: sdrangelove name: seafile-cli version: 6.1.5-1 commands: seaf-cli name: seafile-daemon version: 6.1.5-1 commands: seaf-daemon name: seafile-gui version: 6.1.5-1 commands: seafile-applet name: seahorse-adventures version: 1.1+dfsg-2 commands: seahorse-adventures name: seahorse-daemon version: 3.12.2-5 commands: seahorse-daemon name: seahorse-nautilus version: 3.11.92-2 commands: seahorse-tool name: seahorse-sharing version: 3.8.0-0ubuntu2 commands: seahorse-sharing name: search-ccsb version: 0.5-4 commands: search-ccsb name: search-citeseer version: 0.3-2 commands: search-citeseer name: searchandrescue version: 1.5.0-2build1 commands: SearchAndRescue name: searchmonkey version: 0.8.1-9build1 commands: searchmonkey name: searx version: 0.14.0+dfsg1-2 commands: searx-run name: seascope version: 0.8-3 commands: seascope name: sec version: 2.7.12-1 commands: sec name: seccure version: 0.5-1build1 commands: seccure-decrypt,seccure-dh,seccure-encrypt,seccure-key,seccure-sign,seccure-signcrypt,seccure-veridec,seccure-verify name: secilc version: 2.7-1 commands: secil2conf,secilc name: secpanel version: 1:0.6.1-2 commands: secpanel name: secure-delete version: 3.1-6ubuntu2 commands: sdmem,sfill,srm,sswap name: seekwatcher version: 0.12+hg20091016-3 commands: seekwatcher name: seer version: 1.1.4-1build1 commands: R_mds,blast_top_hits,blastn_to_phandango,combineKmers,filter_seer,hits_to_fastq,kmds,map_back,mapping_to_phandango,mash2matrix,reformat_output,seer name: seetxt version: 0.72-6 commands: seeman,seetxt name: segyio-bin version: 1.5.2-1 commands: segyio-catb,segyio-cath,segyio-catr,segyio-crop name: selektor version: 3.13.72-2 commands: selektor name: selinux version: 1:0.11 commands: update-selinux-config,update-selinux-policy name: selinux-basics version: 0.5.6 commands: check-selinux-installation,postfix-nochroot,selinux-activate,selinux-config-enforcing,selinux-policy-upgrade name: selinux-policy-dev version: 2:2.20180114-1 commands: policygentool name: selinux-utils version: 2.7-2build2 commands: avcstat,compute_av,compute_create,compute_member,compute_relabel,compute_user,getconlist,getdefaultcon,getenforce,getfilecon,getpidcon,getsebool,getseuser,matchpathcon,policyvers,sefcontext_compile,selabel_digest,selabel_lookup,selabel_lookup_best_match,selabel_partial_match,selinux_check_access,selinux_check_securetty_context,selinuxenabled,selinuxexeccon,setenforce,setfilecon,togglesebool name: semantik version: 0.9.5-0ubuntu2 commands: semantik,semantik-d name: semodule-utils version: 2.7-1 commands: semodule_deps,semodule_expand,semodule_link,semodule_package,semodule_unpackage name: sen version: 0.6.0-0.1 commands: sen name: sendemail version: 1.56-5 commands: sendEmail,sendemail name: sendfile version: 2.1b.20080616-5.3build1 commands: check-sendfile,fetchfile,pussy,receive,sendfile,sendfiled,sendmsg,sfconf,utf7decode,utf7encode,wlock name: sendip version: 2.5-7build1 commands: sendip name: sendmail-base version: 8.15.2-10 commands: checksendmail,etrn,expn,sendmailconfig name: sendmail-bin version: 8.15.2-10 commands: editmap,hoststat,mailq,mailstats,makemap,newaliases,praliases,purgestat,runq,sendmail,sendmail-msp,sendmail-mta name: sendpage-client version: 1.0.3-1 commands: email2page,sendmail2snpp,sendpage-db,snpp name: sendpage-server version: 1.0.3-1 commands: sendpage name: sendxmpp version: 1.24-2 commands: sendxmpp name: sensible-mda version: 8.15.2-10 commands: sensible-mda name: sepia version: 0.992-6 commands: sepl name: sepol-utils version: 2.7-1 commands: chkcon name: seq-gen version: 1.3.4-1 commands: seq-gen name: seq24 version: 0.9.3-2 commands: seq24 name: seqan-apps version: 2.3.2+dfsg2-4ubuntu2 commands: alf,gustaf,insegt,mason_frag_sequencing,mason_genome,mason_materializer,mason_methylation,micro_razers,pair_align,rabema_build_gold_standard,rabema_evaluate,rabema_prepare_sam,razers,razers3,sak,seqan_tcoffee,snp_store,splazers,stellar,tree_recon,yara_indexer,yara_mapper name: seqprep version: 1.3.2-2 commands: seqprep name: seqsero version: 1.0-1 commands: seqsero,seqsero_batch_pair-end name: seqtk version: 1.2-2 commands: seqtk name: ser-player version: 1.7.2-3 commands: ser-player name: ser2net version: 2.10.1-1 commands: ser2net name: serdi version: 0.28.0~dfsg0-1 commands: serdi name: serf version: 0.8.1+git20171021.c20a0b1~ds1-4 commands: serf name: servefile version: 0.4.4-1 commands: servefile name: serverspec-runner version: 1.2.2-1 commands: serverspec-runner name: service-wrapper version: 3.5.30-1ubuntu1 commands: wrapper name: sessioninstaller version: 0.20+bzr150-0ubuntu4.1 commands: gst-install,gstreamer-codec-install,session-installer name: setbfree version: 0.8.5-1 commands: setBfree,setBfreeUI,x42-whirl name: setcd version: 1.5-6build1 commands: setcd name: setools version: 4.1.1-3 commands: sediff,sedta,seinfo,seinfoflow,sesearch name: setools-gui version: 4.1.1-3 commands: apol name: setop version: 0.1-1build3 commands: setop name: setpriv version: 2.31.1-0.4ubuntu3 commands: setpriv name: sextractor version: 2.19.5+dfsg-5 commands: ldactoasc,sextractor name: seyon version: 2.20c-32build1 commands: seyon,seyon-emu name: sf3convert version: 20180325-1 commands: sf3convert name: sfarkxtc version: 0~20130812git80b1da3-1 commands: sfarkxtc name: sfftobmp version: 3.1.3-5build5 commands: sfftobmp name: sffview version: 0.5.0-2 commands: sffview name: sfnt2woff-zopfli version: 1.1.0-2 commands: sfnt2woff-zopfli,woff2sfnt-zopfli name: sfront version: 0.99-2 commands: sfront name: sfst version: 1.4.7b-1build1 commands: fst-compact,fst-compare,fst-compiler,fst-compiler-utf8,fst-generate,fst-infl,fst-infl2,fst-infl2-daemon,fst-infl3,fst-lattice,fst-lowmem,fst-match,fst-mor,fst-parse,fst-parse2,fst-print,fst-text2bin,fst-train name: sftpcloudfs version: 0.12.2-3 commands: sftpcloudfs name: sgf2dg version: 4.026-10build1 commands: sgf2dg,sgfsplit name: sgml-spell-checker version: 0.0.20040919-3 commands: sgml-spell-checker name: sgml2x version: 1.0.0-11.4 commands: docbook-2-fot,docbook-2-html,docbook-2-mif,docbook-2-pdf,docbook-2-ps,docbook-2-rtf,rlatex,runjade,sgml2x name: sgmlspl version: 1.03ii-36 commands: sgmlspl name: sgmltools-lite version: 3.0.3.0.cvs.20010909-20 commands: gensgmlenv,sgmltools,sgmlwhich name: sgrep version: 1.94a-4build1 commands: sgrep name: sgt-launcher version: 0.2.4-0ubuntu1 commands: sgt-launcher name: sgt-puzzles version: 20170606.272beef-1ubuntu1 commands: sgt-blackbox,sgt-bridges,sgt-cube,sgt-dominosa,sgt-fifteen,sgt-filling,sgt-flip,sgt-flood,sgt-galaxies,sgt-guess,sgt-inertia,sgt-keen,sgt-lightup,sgt-loopy,sgt-magnets,sgt-map,sgt-mines,sgt-net,sgt-netslide,sgt-palisade,sgt-pattern,sgt-pearl,sgt-pegs,sgt-range,sgt-rect,sgt-samegame,sgt-signpost,sgt-singles,sgt-sixteen,sgt-slant,sgt-solo,sgt-tents,sgt-towers,sgt-tracks,sgt-twiddle,sgt-undead,sgt-unequal,sgt-unruly,sgt-untangle name: shadowsocks version: 2.9.0-2 commands: sslocal,ssserver name: shadowsocks-libev version: 3.1.3+ds-1ubuntu2 commands: ss-local,ss-manager,ss-nat,ss-redir,ss-server,ss-tunnel name: shairport-sync version: 3.1.7-1build1 commands: shairport-sync name: shake version: 1.0.2-1 commands: shake name: shanty version: 3-4 commands: shanty name: shapelib version: 1.4.1-1 commands: Shape_PointInPoly,dbfadd,dbfcat,dbfcreate,dbfdump,dbfinfo,shpadd,shpcat,shpcentrd,shpcreate,shpdata,shpdump,shpdxf,shpfix,shpinfo,shpproj,shprewind,shpsort,shptreedump,shputils,shpwkb name: shapetools version: 1.4pl6-14 commands: lastrelease,sfind,shape name: shatag version: 0.5.0-2 commands: shatag,shatag-add,shatagd name: shc version: 3.8.9b-1build1 commands: shc name: shed version: 1.15-3build1 commands: shed name: shedskin version: 0.9.4-1 commands: shedskin name: sheepdog version: 0.8.3-5 commands: collie,dog,sheep,sheepfs,shepherd name: shellcheck version: 0.4.6-1 commands: shellcheck name: shelldap version: 1.4.0-2ubuntu1 commands: shelldap name: shellex version: 0.2-1 commands: shellex name: shellinabox version: 2.20build1 commands: shellinaboxd name: shelltestrunner version: 1.3.5-10 commands: shelltest name: shelr version: 0.16.3-2 commands: shelr name: shelxle version: 1.0.888-1 commands: shelxle name: shibboleth-sp2-utils version: 2.6.1+dfsg1-2 commands: mdquery,resolvertest,shib-keygen,shib-metagen,shibd name: shiboken version: 1.2.2-5 commands: shiboken name: shineenc version: 3.1.1-1 commands: shineenc name: shisa version: 1.0.2-6.1 commands: shisa name: shishi version: 1.0.2-6.1 commands: ccache2shishi,keytab2shishi,shishi name: shishi-kdc version: 1.0.2-6.1 commands: shishid name: shntool version: 3.0.10-1 commands: shncat,shncmp,shnconv,shncue,shnfix,shngen,shnhash,shninfo,shnjoin,shnlen,shnpad,shnsplit,shnstrip,shntool,shntrim name: shogivar version: 1.55b-1build1 commands: shogivar name: shogun-cmdline-static version: 3.2.0-7.5 commands: shogun name: shoogle version: 0.1.4-2 commands: shoogle name: shorewall-core version: 5.1.12.2-1 commands: shorewall name: shorewall-init version: 5.1.12.2-1 commands: shorewall-init name: shorewall-lite version: 5.1.12.2-1 commands: shorewall-lite name: shorewall6 version: 5.1.12.2-1 commands: shorewall6 name: shorewall6-lite version: 5.1.12.2-1 commands: shorewall6-lite name: shotdetect version: 1.0.86-5build1 commands: shotdetect name: shove version: 0.8.2-1 commands: shove name: showfoto version: 4:5.6.0-0ubuntu10 commands: showfoto name: showfsck version: 1.4ubuntu4 commands: showfsck name: showq version: 0.4.1+git20161215~dfsg0-3 commands: showq name: shrinksafe version: 1.7.2-1.1 commands: shrinksafe name: shunit2 version: 2.1.6-1.1ubuntu1 commands: shunit2 name: shush version: 1.2.3-5 commands: shush name: shutter version: 0.94-1 commands: shutter name: sia version: 1.3.0-1 commands: siac,siad name: sibsim4 version: 0.20-3 commands: SIBsim4 name: sic version: 1.1-5 commands: sic name: sicherboot version: 0.1.5 commands: sicherboot name: sickle version: 1.33-2 commands: sickle name: sidedoor version: 0.2.1-1 commands: sidedoor name: sidplay version: 2.0.9-6ubuntu3 commands: sidplay2 name: sidplay-base version: 1.0.9-7build1 commands: sid2wav,sidcon,sidplay name: sidplayfp version: 1.4.3-1 commands: sidplayfp,stilview name: sieve-connect version: 0.88-1 commands: sieve-connect name: siggen version: 2.3.10-7 commands: fsynth,siggen,signalgen,smix,soundinfo,sweepgen,swgen,tones name: sigil version: 0.9.9+dfsg-1 commands: sigil name: sigma-align version: 1.1.3-5 commands: sigma name: signapk version: 1:7.0.0+r33-1 commands: signapk name: signify version: 1.14-3 commands: signify name: signify-openbsd version: 23-1 commands: signify-openbsd name: signing-party version: 2.7-1 commands: caff,gpg-key2latex,gpg-key2ps,gpg-mailkeys,gpgdir,gpglist,gpgparticipants,gpgparticipants-prefill,gpgsigs,gpgwrap,keyanalyze,keyart,keylookup,pgp-clean,pgp-fixkey,pgpring,process_keys,sig2dot,springgraph name: signon-plugin-oauth2-tests version: 0.24+16.10.20160818-0ubuntu1 commands: oauthclient,signon-oauth2plugin-tests name: signon-ui-x11 version: 0.17+18.04.20171027+really20160406-0ubuntu1 commands: signon-ui name: signond version: 8.59+17.10.20170606-0ubuntu1 commands: signond,signonpluginprocess name: signtos version: 1:7.0.0+r33-1 commands: signtos name: sigrok-cli version: 0.7.0-2build1 commands: sigrok-cli name: sigscheme version: 0.8.5-6 commands: sscm name: sigviewer version: 0.5.1+svn556-5 commands: sigviewer name: sikulix version: 1.1.1-8 commands: sikulix name: silan version: 0.3.3-1 commands: silan name: silentjack version: 0.3-2build2 commands: silentjack name: silverjuke version: 18.2.1-1 commands: silverjuke name: silversearcher-ag version: 2.1.0-1 commands: ag name: silx version: 0.6.1+dfsg-2 commands: silx name: sim4 version: 0.0.20121010-4 commands: sim4 name: sim4db version: 0~20150903+r2013-3 commands: cleanPolishes,comparePolishes,convertPolishes,convertToAtac,convertToExtent,depthOfPolishes,detectChimera,filterPolishes,fixPolishesIID,headPolishes,mappedCoverage,mergePolishes,parseSNP,pickBestPolish,pickUniquePolish,plotCoverageVsIdentity,realignPolishes,removeDuplicate,reportAlignmentDifferences,sim4db,sortPolishes,summarizePolishes,uniqPolishes,vennPolishes name: simavr version: 1.5+dfsg1-2 commands: simavr name: simba version: 0.8.4-4.3 commands: simba name: simh version: 3.8.1-6 commands: altair,altairz80,config11,dgnova,dtos8cvt,eclipseemu,gri909,gt7cvt,h316,hp2100,i1401,i1620,i7094,id16,id32,lgp,littcvt,macro1,macro7,macro8x,mmdir,mtcvtfix,mtcvtodd,mtcvtv23,mtdump,pdp1,pdp10,pdp11,pdp15,pdp4,pdp7,pdp8,pdp9,sds,sdsdump,sfmtcvt,system3,tp512cvt,vax,vax780 name: simhash version: 0.0.20150404-1 commands: simhash name: similarity-tester version: 3.0.2-1 commands: sim_8086,sim_c,sim_c++,sim_java,sim_lisp,sim_m2,sim_mira,sim_pasc,sim_text name: simple version: 0.11.2-1build9 commands: smpl name: simple-cdd version: 0.6.5 commands: build-simple-cdd,simple-cdd name: simple-image-reducer version: 1.0.2-6 commands: simple-image-reducer name: simple-obfs version: 0.0.5-2 commands: obfs-local,obfs-server name: simple-tpm-pk11 version: 0.06-1build1 commands: stpm-exfiltrate,stpm-keygen,stpm-sign,stpm-verify name: simplebackup version: 0.1.6-0ubuntu1 commands: expirebackups,simplebackup name: simpleburn version: 1.8.0-1build2 commands: simpleburn,simpleburn.sh name: simpleopal version: 3.10.10~dfsg2-2.1build2 commands: simpleopal name: simpleproxy version: 3.5-1 commands: simpleproxy name: simplescreenrecorder version: 0.3.8-3 commands: simplescreenrecorder,ssr-glinject name: simplesnap version: 1.0.4+nmu1 commands: simplesnap,simplesnapwrap name: simplestreams version: 0.1.0~bzr460-0ubuntu1 commands: json2streams,sstream-mirror,sstream-query,sstream-sync name: simplyhtml version: 0.17.3+dfsg1-1 commands: simplyhtml name: simstring-bin version: 1.0-2 commands: simstring name: simulavr version: 0.1.2.2-7ubuntu3 commands: simulavr,simulavr-disp,simulavr-vcd name: simulpic version: 1:2005-1-28-10 commands: simulpic name: simutrans version: 120.2.2-3ubuntu1 commands: simutrans name: since version: 1.1-6 commands: since name: sinfo version: 0.0.48-1build3 commands: sinfo-client,sinfod name: singular-ui version: 1:4.1.0-p3+ds-2build1 commands: Singular name: singular-ui-emacs version: 1:4.1.0-p3+ds-2build1 commands: ESingular name: singular-ui-xterm version: 1:4.1.0-p3+ds-2build1 commands: TSingular name: singularity version: 0.30c-1 commands: singularity name: singularity-container version: 2.4.2-4 commands: run-singularity,singularity name: sinntp version: 1.5-1.1 commands: nntp-get,nntp-list,nntp-pull,nntp-push,sinntp name: sip-dev version: 4.19.7+dfsg-1 commands: sip name: sip-tester version: 1:3.5.1-2build1 commands: sipp name: sipcalc version: 1.1.6-1 commands: sipcalc name: sipcrack version: 0.2-2build2 commands: sipcrack,sipdump name: sipdialer version: 1:1.11.0~beta5-1 commands: sipdialer name: sipgrep version: 2.1.0-2build1 commands: sipgrep name: siproxd version: 1:0.8.1-4.1build1 commands: siproxd name: sipsak version: 0.9.6+git20170713-1 commands: sipsak name: sipwitch version: 1.9.15-3 commands: sipcontrol,sippasswd,sipquery,sipw name: siridb-server version: 2.0.26-1 commands: siridb-server name: sirikali version: 1.3.3-1 commands: sirikali,sirikali.pkexec name: siril version: 0.9.8.3-1 commands: siril name: sisc version: 1.16.6-1.1 commands: scheme-ieee-1178-1900,sisc name: sispmctl version: 3.1-1build1 commands: sispmctl name: sisu version: 7.1.11-1 commands: sisu,sisu-concordance,sisu-epub,sisu-harvest,sisu-html,sisu-html-scroll,sisu-html-seg,sisu-odf,sisu-txt,sisu-webrick name: sisu-pdf version: 7.1.11-1 commands: sisu-pdf,sisu-pdf-landscape,sisu-pdf-portrait name: sisu-postgresql version: 7.1.11-1 commands: sisu-pg name: sisu-sqlite version: 7.1.11-1 commands: sisu-sqlite name: sitecopy version: 1:0.16.6-7build1 commands: sitecopy name: sitesummary version: 0.1.33 commands: sitesummary-makewebreport,sitesummary-nodes,sitesummary-update-munin,sitesummary-update-nagios name: sitesummary-client version: 0.1.33 commands: sitesummary-client,sitesummary-upload name: sitplus version: 1.0.3-5.1build5 commands: sitplus name: sixer version: 1.6-2 commands: sixer name: sjaakii version: 1.4.1-1 commands: sjaakii name: sjeng version: 11.2-8build1 commands: sjeng name: skales version: 0.20160202-1 commands: skales-dtbtool,skales-mkbootimg name: skanlite version: 2.1.0.1-1 commands: skanlite name: sketch version: 1:0.3.7-6 commands: sketch name: skipfish version: 2.10b-1.1 commands: skipfish name: skksearch version: 0.0-24 commands: skksearch name: skktools version: 1.3.3+0.20160513-2 commands: skk2cdb,skkdic-count,skkdic-expr,skkdic-expr2,skkdic-sort,update-skkdic name: skrooge version: 2.11.0-1build2 commands: skrooge,skroogeconvert name: sks version: 1.1.6-14 commands: sks name: sks-ecc version: 0.93-6build1 commands: sks-ecc name: skycat version: 3.1.2+starlink1~b+dfsg-5 commands: rtd,rtdClient,rtdCubeDisplay,rtdServer,skycat name: skydns version: 2.5.3a+git20160623.41.00ade30-1 commands: skydns name: skyeye version: 1.2.5-5build1 commands: skyeye name: skylighting version: 0.3.3.1-1build1 commands: skylighting name: skyview version: 3.3.4+repack-1 commands: skyview name: sl version: 3.03-17build2 commands: LS,sl,sl-h name: slack version: 1:0.15.2-9 commands: slack,slack-diff name: slang-tess version: 0.3.0-7 commands: tessrun name: slapi-nis version: 0.56.1-1build1 commands: nisserver-plugin-defs name: slapos-client version: 1.3.18-1 commands: slapos name: slapos-node-unofficial version: 1.3.18-1 commands: slapos-watchdog name: slashem version: 0.0.7E7F3-9 commands: slashem name: slashem-gtk version: 0.0.7E7F3-9 commands: slashem-gtk name: slashem-sdl version: 0.0.7E7F3-9 commands: slashem-sdl name: slashem-x11 version: 0.0.7E7F3-9 commands: slashem-x11 name: slashtime version: 0.5.13-2 commands: slashtime name: slay version: 3.0.0 commands: slay name: sleepenh version: 1.6-1 commands: sleepenh name: sleepyhead version: 1.0.0-beta-2+dfsg-4 commands: SleepyHead name: sleuthkit version: 4.4.2-3 commands: blkcalc,blkcat,blkls,blkstat,fcat,ffind,fiwalk,fls,fsstat,hfind,icat,ifind,ils,img_cat,img_stat,istat,jcat,jls,jpeg_extract,mactime,mmcat,mmls,mmstat,sigfind,sorter,srch_strings,tsk_comparedir,tsk_gettimes,tsk_loaddb,tsk_recover,usnjls name: slib version: 3b1-5 commands: slib name: slic3r version: 1.2.9+dfsg-9 commands: amf-to-stl,config-bundle-to-config,dump-stl,gcode_sectioncut,pdf-slices,slic3r,split_stl,stl-to-amf,view-mesh,view-toolpaths,wireframe name: slic3r-prusa version: 1.39.1+dfsg-3 commands: slic3r-prusa3d name: slice version: 1.3.8-13 commands: slice name: slick-greeter version: 1.1.4-1 commands: slick-greeter,slick-greeter-check-hidpi,slick-greeter-set-keyboard-layout name: slim version: 1.3.6-5.1ubuntu1 commands: slim,slimlock name: slimevolley version: 2.4.2+dfsg-2 commands: slimevolley name: slimit version: 0.8.1-3 commands: slimit name: slingshot version: 0.9-2 commands: slingshot name: slirp version: 1:1.0.17-8build1 commands: slirp,slirp-fullbolt name: sloccount version: 2.26-5.2 commands: ada_count,asm_count,awk_count,break_filelist,c_count,cobol_count,compute_all,compute_sloc_lang,count_extensions,count_unknown_ext,csh_count,erlang_count,exp_count,f90_count,fortran_count,generic_count,get_sloc,get_sloc_details,haskell_count,java_count,javascript_count,jsp_count,lex_count,lexcount1,lisp_count,make_filelists,makefile_count,ml_count,modula3_count,objc_count,pascal_count,perl_count,php_count,print_sum,python_count,ruby_count,sed_count,sh_count,show_filecount,sloccount,sql_count,tcl_count,vhdl_count,xml_count name: slony1-2-bin version: 2.2.6-1 commands: slon,slon_kill,slon_start,slon_status,slon_watchdog,slon_watchdog2,slonik,slonik_add_node,slonik_build_env,slonik_create_set,slonik_drop_node,slonik_drop_sequence,slonik_drop_set,slonik_drop_table,slonik_execute_script,slonik_failover,slonik_init_cluster,slonik_merge_sets,slonik_move_set,slonik_print_preamble,slonik_restart_node,slonik_store_node,slonik_subscribe_set,slonik_uninstall_nodes,slonik_unsubscribe_set,slonik_update_nodes,slony_logshipper,slony_show_configuration name: slop version: 7.3.49-1build2 commands: slop name: slowhttptest version: 1.7-1build1 commands: slowhttptest name: slrn version: 1.0.3+dfsg-1 commands: slrn,slrn_getdescs name: slrnface version: 2.1.1-7build1 commands: slrnface name: slrnpull version: 1.0.3+dfsg-1 commands: slrnpull name: slsh version: 2.3.1a-3ubuntu1 commands: slsh name: slt version: 0.0.git20140301-4 commands: slt name: sludge-compiler version: 2.2.1-2build2 commands: sludge-compiler name: sludge-devkit version: 2.2.1-2build2 commands: sludge-floormaker,sludge-projectmanager,sludge-spritebankeditor,sludge-translationeditor,sludge-zbuffermaker name: sludge-engine version: 2.2.1-2build2 commands: sludge-engine name: slugify version: 1.2.4-2 commands: slugify name: slugimage version: 1:0.1+20160202.fe8b64a-2 commands: slugimage name: sluice version: 0.02.07-1 commands: sluice name: slurm version: 0.4.3-2build2 commands: slurm name: slurm-client version: 17.11.2-1build1 commands: sacct,sacctmgr,salloc,sattach,sbatch,sbcast,scancel,scontrol,sdiag,sh5util,sinfo,smap,sprio,squeue,sreport,srun,sshare,sstat,strigger name: slurm-client-emulator version: 17.11.2-1build1 commands: sacct-emulator,sacctmgr-emulator,salloc-emulator,sattach-emulator,sbatch-emulator,sbcast-emulator,scancel-emulator,scontrol-emulator,sdiag-emulator,sinfo-emulator,smap-emulator,sprio-emulator,squeue-emulator,sreport-emulator,srun-emulator,sshare-emulator,sstat-emulator,strigger-emulator name: slurm-wlm-emulator version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm-emulator,slurmd,slurmd-wlm-emulator,slurmstepd,slurmstepd-wlm-emulator name: slurm-wlm-torque version: 17.11.2-1build1 commands: generate_pbs_nodefile,mpiexec,mpiexec.slurm,mpirun,pbsnodes,qalter,qdel,qhold,qrerun,qrls,qstat,qsub name: slurmctld version: 17.11.2-1build1 commands: slurmctld,slurmctld-wlm name: slurmd version: 17.11.2-1build1 commands: slurmd,slurmd-wlm,slurmstepd,slurmstepd-wlm name: slurmdbd version: 17.11.2-1build1 commands: slurmdbd name: sm version: 0.25-1build1 commands: sm name: sm-archive version: 1.7-1build2 commands: sm-archive name: sma version: 1.4-3build1 commands: sma name: smalr version: 1.0.1-1 commands: smalr name: smalt version: 0.7.6-7 commands: smalt name: smart-notifier version: 0.28-5 commands: smart-notifier name: smartpm-core version: 1.4-2 commands: smart name: smartshine version: 0.36-0ubuntu4 commands: smartshine name: smb-nat version: 1:1.0-6ubuntu2 commands: smb-nat name: smb4k version: 2.1.0-1 commands: smb4k name: smbc version: 1.2.2-4build2 commands: smbc name: smbldap-tools version: 0.9.9-1ubuntu3 commands: smbldap-config,smbldap-groupadd,smbldap-groupdel,smbldap-grouplist,smbldap-groupmod,smbldap-groupshow,smbldap-passwd,smbldap-populate,smbldap-useradd,smbldap-userdel,smbldap-userinfo,smbldap-userlist,smbldap-usermod,smbldap-usershow name: smbnetfs version: 0.6.1-1 commands: smbnetfs name: smcroute version: 2.0.0-6 commands: mcsender,smcroute name: smem version: 1.4-2build1 commands: smem name: smemcap version: 1.4-2build1 commands: smemcap name: smemstat version: 0.01.18-1 commands: smemstat name: smf-utils version: 1.3-2ubuntu3 commands: smfsh name: smistrip version: 0.4.8+dfsg2-15 commands: smistrip name: smithwaterman version: 0.0+20160702-3 commands: smithwaterman name: smoke-dev-tools version: 4:4.14.3-1build1 commands: smokeapi,smokegen name: smokeping version: 2.6.11-4 commands: smokeinfo,smokeping,tSmoke name: smp-utils version: 0.98-1 commands: smp_conf_general,smp_conf_phy_event,smp_conf_route_info,smp_conf_zone_man_pass,smp_conf_zone_perm_tbl,smp_conf_zone_phy_info,smp_discover,smp_discover_list,smp_ena_dis_zoning,smp_phy_control,smp_phy_test,smp_read_gpio,smp_rep_broadcast,smp_rep_exp_route_tbl,smp_rep_general,smp_rep_manufacturer,smp_rep_phy_err_log,smp_rep_phy_event,smp_rep_phy_event_list,smp_rep_phy_sata,smp_rep_route_info,smp_rep_self_conf_stat,smp_rep_zone_man_pass,smp_rep_zone_perm_tbl,smp_write_gpio,smp_zone_activate,smp_zone_lock,smp_zone_unlock,smp_zoned_broadcast name: smpeg-gtv version: 0.4.5+cvs20030824-7.2 commands: gtv name: smpeg-plaympeg version: 0.4.5+cvs20030824-7.2 commands: plaympeg name: smplayer version: 18.2.2~ds0-1 commands: smplayer name: smpq version: 1.6-1 commands: smpq name: smstools version: 3.1.21-2 commands: smsd name: smtm version: 1.6.11 commands: smtm name: smtpping version: 1.1.3-1 commands: smtpping name: smtpprox version: 1.2-1 commands: smtpprox name: smtpprox-loopprevent version: 0.1-1 commands: smtpprox-loopprevent name: smtube version: 15.5.10-1build1 commands: smtube name: smuxi-engine version: 1.0.7-2 commands: smuxi-message-buffer,smuxi-server name: smuxi-frontend-gnome version: 1.0.7-2 commands: smuxi-frontend-gnome name: smuxi-frontend-stfl version: 1.0.7-2 commands: smuxi-frontend-stfl name: sn version: 0.3.8-10.1build1 commands: SNHELLO,SNPOST,sncancel,sncat,sndelgroup,sndumpdb,snexpire,snfetch,snget,sngetd,snlockf,snmail,snnewgroup,snnewsq,snntpd,snntpd.bin,snprimedb,snscan,snsend,snsplit,snstore name: snacc version: 1.3.1-7build1 commands: berdecode,mkchdr,ptbl,pval,snacc,snacc-config name: snake4 version: 1.0.14-1build1 commands: snake4,snake4scores name: snakefood version: 1.4-2 commands: sfood,sfood-checker,sfood-cluster,sfood-copy,sfood-flatten,sfood-graph,sfood-imports name: snakemake version: 4.3.1-1 commands: snakemake,snakemake-bash-completion name: snap version: 2013-11-29-8 commands: exonpairs,fathom,forge,hmm-assembler.pl,hmm-info,patch-hmm.pl,snap-hmm,zff2gff3.pl,zoe-loop name: snap-templates version: 1.0.0.0-4 commands: snap-framework name: snapcraft version: 2.41+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.41+18.04.2 commands: snapcraft-parser name: snappea version: 3.0d3-24 commands: snappea,snappea-console name: snapper version: 0.5.4-3 commands: mksubvolume,snapper,snapperd name: snarf version: 7.0-6build1 commands: snarf name: snd-gtk-pulse version: 18.1-1 commands: snd,snd.gtk-pulse name: snd-nox version: 18.1-1 commands: snd,snd.nox name: sndfile-programs version: 1.0.28-4 commands: sndfile-cmp,sndfile-concat,sndfile-convert,sndfile-deinterleave,sndfile-info,sndfile-interleave,sndfile-metadata-get,sndfile-metadata-set,sndfile-play,sndfile-salvage name: sndfile-tools version: 1.03-7.1 commands: sndfile-generate-chirp,sndfile-jackplay,sndfile-mix-to-mono,sndfile-spectrogram name: sndio-tools version: 1.1.0-3 commands: aucat,midicat name: sndiod version: 1.1.0-3 commands: sndiod name: snetz version: 0.1-1 commands: snetz name: sng version: 1.1.0-1build1 commands: sng name: sngrep version: 1.4.5-1 commands: sngrep name: sniffit version: 0.4.0-2 commands: sniffit name: sniffles version: 1.0.7+ds-1 commands: sniffles name: snimpy version: 0.8.12-1 commands: snimpy name: sniproxy version: 0.5.0-2 commands: sniproxy name: snmpsim version: 0.3.0-2 commands: snmprec,snmpsim-datafile,snmpsim-mib2dev,snmpsim-pcap2dev,snmpsimd name: snmptrapd version: 5.7.3+dfsg-1.8ubuntu3 commands: snmptrapd,traptoemail name: snmptrapfmt version: 1.16 commands: snmptrapfmt,snmptrapfmthdlr name: snmptt version: 1.4-1 commands: snmptt,snmpttconvert,snmpttconvertmib,snmptthandler name: snooze version: 0.2-2 commands: snooze name: snort version: 2.9.7.0-5build1 commands: snort,u2boat,u2spewfoo name: snort-common version: 2.9.7.0-5build1 commands: snort-stat name: snowballz version: 0.9.5.1-5 commands: snowballz name: snowdrop version: 0.02b-12.1build1 commands: sd-c,sd-eng,sd-engf name: snp-sites version: 2.3.3-2 commands: snp-sites name: snpomatic version: 1.0-3 commands: findknownsnps name: sntop version: 1.4.3-4build2 commands: sntop name: sntp version: 1:4.2.8p10+dfsg-5ubuntu7 commands: sntp name: soapyremote-server version: 0.4.2-1 commands: SoapySDRServer name: soapysdr-tools version: 0.6.1-2 commands: SoapySDRUtil name: socket version: 1.1-10build1 commands: socket name: socklog version: 2.1.0-8.1 commands: socklog,socklog-check,socklog-conf,tryto,uncat name: socks4-clients version: 4.3.beta2-20 commands: dump_socksfc,make_socksfc,rfinger,rftp,rtelnet,runsocks,rwhois name: socks4-server version: 4.3.beta2-20 commands: dump_sockdfc,dump_sockdfr,make_sockdfc,make_sockdfr,rsockd,sockd name: sockstat version: 0.3-2 commands: sockstat name: socnetv version: 2.2-1 commands: socnetv name: sofa-apps version: 1.0~beta4-12 commands: sofa name: sofia-sip-bin version: 1.12.11+20110422.1-2.1build1 commands: addrinfo,localinfo,sip-date,sip-dig,sip-options,stunc name: softflowd version: 0.9.9-3 commands: softflowctl,softflowd name: softhsm2 version: 2.2.0-3.1build1 commands: softhsm2-dump-file,softhsm2-keyconv,softhsm2-migrate,softhsm2-util name: software-properties-kde version: 0.96.24.32.1 commands: software-properties-kde name: sogo version: 3.2.10-1build1 commands: sogo-backup,sogo-ealarms-notify,sogo-slapd-sockd,sogo-tool,sogod name: solaar version: 0.9.2+dfsg-8 commands: solaar,solaar-cli name: solarpowerlog version: 0.24-7build1 commands: solarpowerlog name: solarwolf version: 1.5-2.2 commands: solarwolf name: solfege version: 3.22.2-2 commands: solfege name: solid-pop3d version: 0.15-29 commands: pop_auth,solid-pop3d name: sollya version: 6.0+ds-6build1 commands: sollya name: solvespace version: 2.3+repack1-3 commands: solvespace name: sonata version: 1.6.2.1-6 commands: sonata name: songwrite version: 0.14-11 commands: songwrite name: sonic version: 0.2.0-6 commands: sonic name: sonic-pi version: 2.10.0~repack-2.1 commands: sonic-pi name: sonic-visualiser version: 3.0.3-4 commands: sonic-visualiser name: sooperlooper version: 1.7.3~dfsg0-3build1 commands: slconsole,slgui,slregister,sooperlooper name: sopel version: 6.5.0-1 commands: sopel name: soprano-daemon version: 2.9.4+dfsg1-0ubuntu4 commands: onto2vocabularyclass,sopranocmd,sopranod name: sopwith version: 1.8.4-6 commands: sopwith name: sordi version: 0.16.0~dfsg0-1 commands: sord_validate,sordi name: sortmail version: 1:2.4-3 commands: sortmail name: sortsmill-tools version: 0.4-2 commands: make-eot,make-fonts name: sorune version: 0.5-1ubuntu1 commands: sorune name: sosi2osm version: 1.0.0-3build1 commands: sosi2osm name: sound-juicer version: 3.24.0-2 commands: sound-juicer name: soundconverter version: 3.0.0-2 commands: soundconverter name: soundgrain version: 4.1.1-2.1 commands: soundgrain name: soundkonverter version: 3.0.1-1 commands: soundkonverter name: soundmodem version: 0.20-5 commands: soundmodem,soundmodemconfig name: soundscaperenderer version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.qt,ssr-binaural,ssr-binaural.qt,ssr-brs,ssr-brs.qt,ssr-generic,ssr-generic.qt,ssr-nfc-hoa,ssr-nfc-hoa.qt,ssr-vbap,ssr-vbap.qt,ssr-wfs,ssr-wfs.qt name: soundscaperenderer-common version: 0.4.2~dfsg-6build3 commands: ssr name: soundscaperenderer-nox version: 0.4.2~dfsg-6build3 commands: ssr-aap,ssr-aap.nox,ssr-binaural,ssr-binaural.nox,ssr-brs,ssr-brs.nox,ssr-generic,ssr-generic.nox,ssr-nfc-hoa,ssr-nfc-hoa.nox,ssr-vbap,ssr-vbap.nox,ssr-wfs,ssr-wfs.nox name: soundstretch version: 1.9.2-3 commands: soundstretch name: source-highlight version: 3.1.8-1.2 commands: check-regexp,source-highlight,source-highlight-esc.sh,source-highlight-settings name: sox version: 14.4.2-3 commands: play,rec,sox,soxi name: spacearyarya version: 1.0.2-7.1 commands: spacearyarya name: spaced version: 1.0.2+dfsg-1 commands: spaced name: spacefm version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacefm-gtk3 version: 1.0.5-2 commands: spacefm,spacefm-auth name: spacenavd version: 0.6-1 commands: spacenavd,spnavd_ctl name: spacezero version: 0.80.06-1build1 commands: spacezero name: spamass-milter version: 0.4.0-1 commands: spamass-milter name: spamassassin-heatu version: 3.02+20101108-2 commands: sa-heatu name: spambayes version: 1.1b1-4 commands: core_server,sb_bnfilter,sb_bnserver,sb_chkopts,sb_client,sb_dbexpimp,sb_evoscore,sb_filter,sb_imapfilter,sb_mailsort,sb_mboxtrain,sb_server,sb_unheader,sb_upload,sb_xmlrpcserver name: spamoracle version: 1.4-15 commands: spamoracle name: spampd version: 2.42-1 commands: spampd name: spamprobe version: 1.4d-14build1 commands: spamprobe name: spark version: 2012.0.deb-11build1 commands: checker,pogs,spadesimp,spark,sparkclean,sparkformat,sparkmake,sparksimp,vct,victor,wrap_utility,zombiescope name: sparkleshare version: 1.5.0-2.1 commands: sparkleshare name: sparse version: 0.5.1-2 commands: c2xml,cgcc,sparse name: sparse-test-inspect version: 0.5.1-2 commands: test-inspect name: spass version: 3.7-4 commands: FLOTTER,SPASS,dfg2ascii,dfg2dfg,dfg2otter,dfg2otter.pl,dfg2tptp,tptp2dfg name: spatialite-bin version: 4.3.0-2build1 commands: exif_loader,shp_doctor,spatialite,spatialite_convert,spatialite_dxf,spatialite_gml,spatialite_network,spatialite_osm_filter,spatialite_osm_map,spatialite_osm_net,spatialite_osm_overpass,spatialite_osm_raw,spatialite_tool,spatialite_xml_collapse,spatialite_xml_load,spatialite_xml_print,spatialite_xml_validator name: spatialite-gui version: 2.0.0~devel2-8 commands: spatialite-gui name: spawn-fcgi version: 1.6.4-2 commands: spawn-fcgi name: spd version: 1.3.0-1ubuntu2 commands: spd name: spe version: 0.8.4.h-3.2 commands: spe name: speakup-tools version: 1:0.0~git20121016.1-2 commands: speakup_setlocale,speakupconf,talkwith name: spectacle version: 0.25-1 commands: deb2spectacle,ini2spectacle,spec2spectacle,specify name: spectools version: 201601r1-1 commands: spectool_curses,spectool_gtk,spectool_net,spectool_raw name: spectre-meltdown-checker version: 0.37-1 commands: spectre-meltdown-checker name: spectrwm version: 3.1.0-2 commands: spectrwm,x-window-manager name: speech-tools version: 1:2.5.0-4 commands: bcat,ch_lab,ch_track,ch_utt,ch_wave,dp,make_wagon_desc,na_play,na_record,ngram_build,ngram_test,ols,ols_test,pda,pitchmark,raw_to_xgraph,resynth,scfg_make,scfg_parse,scfg_test,scfg_train,sig2fv,sigfilter,simple-pitchmark,spectgen,tilt_analysis,tilt_synthesis,viterbi,wagon,wagon_test,wfst_build,wfst_run name: speechd-up version: 0.5~20110719-6 commands: speechd-up name: speedcrunch version: 0.12.0-3 commands: speedcrunch name: speedometer version: 2.8-2 commands: speedometer name: speedpad version: 1.0-2 commands: speedpad name: speedtest-cli version: 2.0.0-1 commands: speedtest,speedtest-cli name: speex version: 1.2~rc1.2-1ubuntu2 commands: speexdec,speexenc name: spek version: 0.8.2-4build1 commands: spek name: spell version: 1.0-24build1 commands: spell name: spellutils version: 0.7-7build1 commands: newsbody,pospell name: spew version: 1.0.8-1build3 commands: gorge,regorge,spew name: spf-milter-python version: 0.9-1 commands: spfmilter,spfmilter.py name: spf-tools-perl version: 2.9.0-4 commands: spfd,spfd.mail-spf-perl,spfquery,spfquery.mail-spf-perl name: spf-tools-python version: 2.0.12t-3 commands: pyspf,pyspf-type99,spfquery,spfquery.pyspf name: spfquery version: 1.2.10-7build2 commands: spf_example,spfd,spfd.libspf2,spfquery,spfquery.libspf2,spftest name: sphde-utils version: 1.3.0-1 commands: sasutil name: sphinx-intl version: 0.9.10-1 commands: sphinx-intl name: sphinxbase-utils version: 0.8+5prealpha+1-1 commands: sphinx_cepview,sphinx_cont_seg,sphinx_fe,sphinx_jsgf2fsg,sphinx_lm_convert,sphinx_lm_eval,sphinx_pitch name: sphinxsearch version: 2.2.11-2 commands: indexer,indextool,searchd,spelldump,wordbreaker name: sphinxtrain version: 1.0.8+5prealpha+1-1 commands: sphinxtrain name: spice-client-gtk version: 0.34-1.1build1 commands: spicy,spicy-screenshot,spicy-stats name: spice-webdavd version: 2.2-2 commands: spice-webdavd name: spigot version: 0.2017-01-15.gdad1bbc6-1 commands: spigot name: spikeproxy version: 1.4.8-4.4 commands: spikeproxy name: spim version: 8.0+dfsg-6.1 commands: spim,xspim name: spin version: 6.4.6+dfsg-2 commands: spin name: spinner version: 1.2.4-4 commands: spinner name: spip version: 3.1.4-3 commands: spip_add_site,spip_rm_site name: spiped version: 1.6.0-2build1 commands: spipe,spiped name: spl version: 0.7.5-1ubuntu2 commands: splat name: splash version: 2.8.0-1 commands: asplash,dsplash,gsplash,msplash,nsplash,rsplash,splash,srsplash,ssplash,tsplash,vsplash name: splat version: 1.4.0-3 commands: bearing,citydecoder,fontdata,splat,splat-hd,srtm2sdf,srtm2sdf-hd,usgs2sdf name: splatd version: 1.2-0ubuntu2 commands: splatd name: splay version: 0.9.5.2-14 commands: splay name: spline version: 1.2-3 commands: aspline name: splint version: 1:3.1.2+dfsg-1build1 commands: splint name: splitpatch version: 1.0+20160815+git13c5941-1 commands: splitpatch name: splitvt version: 1.6.6-13 commands: splitvt name: sponc version: 1.0+svn6822-0ubuntu2 commands: sponc name: spotlighter version: 0.3-1.1build1 commands: spotlighter name: spout version: 1.4-3 commands: spout name: sprai version: 0.9.9.23+dfsg-1 commands: ezez4makefile_v4,ezez4makefile_v4.pl,ezez4qsub_vx1,ezez4qsub_vx1.pl,ezez_vx1,ezez_vx1.pl name: sptk version: 3.9-1 commands: sptk name: sputnik version: 12.06.27-2 commands: sputnik name: spyder version: 3.2.6+dfsg1-2 commands: spyder name: spyder3 version: 3.2.6+dfsg1-2 commands: spyder3 name: spykeviewer version: 0.4.4-1 commands: spykeviewer name: sqitch version: 0.9996-1 commands: sqitch name: sqlacodegen version: 1.1.6-2build1 commands: sqlacodegen name: sqlcipher version: 3.4.1-1build1 commands: sqlcipher name: sqlformat version: 0.2.4-0.1 commands: sqlformat name: sqlgrey version: 1:1.8.0-1 commands: sqlgrey,sqlgrey-logstats,update_sqlgrey_config name: sqlite version: 2.8.17-14fakesync1 commands: sqlite name: sqlitebrowser version: 3.10.1-1.1 commands: sqlitebrowser name: sqlline version: 1.0.2-6 commands: sqlline name: sqlmap version: 1.2.4-1 commands: sqlmap,sqlmapapi name: sqlobject-admin version: 3.4.0+dfsg-1 commands: sqlobject-admin,sqlobject-convertOldURI name: sqlsmith version: 1.0-1build4 commands: sqlsmith name: sqsh version: 2.1.7-4build1 commands: sqsh name: squashfuse version: 0.1.100-0ubuntu2 commands: squashfuse name: squeak-vm version: 1:4.10.2.2614-4.1 commands: squeak name: squeezelite version: 1.8-4build1 commands: squeezelite name: squeezelite-pa version: 1.8-4build1 commands: squeezelite,squeezelite-pa name: squid-purge version: 3.5.27-1ubuntu1 commands: squid-purge name: squidclient version: 3.5.27-1ubuntu1 commands: squidclient name: squidguard version: 1.5-6 commands: hostbyname,sgclean,squidGuard,update-squidguard name: squidtaild version: 2.1a6-6 commands: squidtaild name: squidview version: 0.86-1 commands: squidview name: squirrel3 version: 3.1-5 commands: squirrel,squirrel3 name: squishyball version: 0.1~svn19085-5 commands: squishyball name: squizz version: 0.99d+dfsg-1 commands: squizz name: sqwebmail version: 5.9.0+0.78.0-2ubuntu2 commands: mimegpg,webgpg,webmaild name: src2tex version: 2.12h-9 commands: src2latex,src2tex name: srecord version: 1.58-1.1ubuntu2 commands: srec_cat,srec_cmp,srec_info name: sredird version: 2.2.1-2 commands: sredird name: sreview-common version: 0.3.0-1 commands: sreview-config,sreview-user name: sreview-detect version: 0.3.0-1 commands: sreview-detect name: sreview-encoder version: 0.3.0-1 commands: sreview-cut,sreview-notify,sreview-previews,sreview-skip,sreview-transcode,sreview-upload name: sreview-master version: 0.3.0-1 commands: sreview-dispatch name: sreview-web version: 0.3.0-1 commands: sreview-web name: srg version: 1.3.6-2ubuntu1 commands: srg name: srptools version: 17.1-1 commands: ibsrpdm,srp_daemon name: srs version: 0.31-6 commands: srs,srsc,srsd name: srtp-utils version: 1.4.5~20130609~dfsg-2ubuntu1 commands: rtpw name: ssake version: 4.0-1 commands: ssake,tqs name: ssdeep version: 2.14-1 commands: ssdeep name: ssed version: 3.62-7build1 commands: ssed name: ssft version: 0.9.17 commands: ssft.sh name: ssh-agent-filter version: 0.4.2-1build1 commands: afssh,ssh-agent-filter,ssh-askpass-noinput name: ssh-askpass version: 1:1.2.4.1-10 commands: ssh-askpass name: ssh-askpass-fullscreen version: 0.3-3.1build1 commands: ssh-askpass,ssh-askpass-fullscreen name: ssh-askpass-gnome version: 1:7.6p1-4 commands: ssh-askpass name: ssh-audit version: 1.7.0-2 commands: ssh-audit name: ssh-contact-client version: 0.7-1build1 commands: ssh-contact name: ssh-cron version: 1.01.00-1build1 commands: ssh-cron name: sshcommand version: 0~20160110.1~2795f65-1 commands: sshcommand name: sshfp version: 1.2.2-5 commands: dane,sshfp name: sshfs version: 2.8-1 commands: sshfs name: sshguard version: 1.7.1-1 commands: sshguard name: sshpass version: 1.06-1 commands: sshpass name: sshuttle version: 0.78.3-1 commands: sshuttle name: ssl-cert-check version: 3.30-2 commands: ssl-cert-check name: ssldump version: 0.9b3-7build1 commands: ssldump name: sslh version: 1.18-1 commands: sslh,sslh-select name: sslscan version: 1.11.5-rbsec-1.1 commands: sslscan name: sslsniff version: 0.8-6ubuntu2 commands: sslsniff name: sslsplit version: 0.5.0+dfsg-2build2 commands: sslsplit name: sslstrip version: 0.9-1 commands: sslstrip name: ssmping version: 0.9.1-3build2 commands: asmping,mcfirst,ssmping,ssmpingd name: ssmtp version: 2.64-8ubuntu2 commands: mailq,newaliases,sendmail,ssmtp name: sspace version: 2.1.1+dfsg-3 commands: sspace name: ssss version: 0.5-4 commands: ssss-combine,ssss-split name: ssvnc version: 1.0.29-3build1 commands: sshvnc,ssvnc,ssvncviewer,tsvnc name: stacks version: 2.0Beta8c+dfsg-1 commands: stacks name: stacks-web version: 2.0Beta8c+dfsg-1 commands: stacks-setup-database name: staden version: 2.0.0+b11-2 commands: gap4,gap5,pregap4,staden,trev name: staden-io-lib-utils version: 1.14.9-4 commands: append_sff,convert_trace,cram_dump,cram_filter,cram_index,cram_size,extract_fastq,extract_qual,extract_seq,get_comment,hash_exp,hash_extract,hash_list,hash_sff,hash_tar,index_tar,makeSCF,scf_dump,scf_info,scf_update,scram_flagstat,scram_merge,scram_pileup,scram_test,scramble,srf2fasta,srf2fastq,srf_dump_all,srf_extract_hash,srf_extract_linear,srf_filter,srf_index_hash,srf_info,srf_list,trace_dump,ztr_dump name: stalonetray version: 0.8.1-1build1 commands: stalonetray name: standardskriver version: 0.0.3-1 commands: standardskriver name: stardata-common version: 0.8build1 commands: register-stardata name: stardict-gnome version: 3.0.1-9.4 commands: stardict name: stardict-gtk version: 3.0.1-9.4 commands: stardict name: stardict-tools version: 3.0.2-6 commands: stardict-editor name: starfighter version: 1.7-1 commands: starfighter name: starman version: 0.4014-1 commands: starman name: starplot version: 0.95.5-8.3 commands: starconvert,starpkg,starplot name: starpu-tools version: 1.2.3+dfsg-4 commands: starpu_calibrate_bus,starpu_codelet_histo_profile,starpu_codelet_profile,starpu_lp2paje,starpu_machine_display,starpu_paje_draw_histogram,starpu_paje_draw_histogram.R,starpu_paje_state_stats,starpu_perfmodel_display,starpu_perfmodel_plot,starpu_sched_display,starpu_workers_activity name: starpu-top version: 1.2.3+dfsg-4 commands: starpu_top name: starvoyager version: 0.4.4-9 commands: starvoyager name: statcvs version: 1:0.7.0.dfsg-7 commands: statcvs name: statgrab version: 0.91-1build1 commands: statgrab,statgrab-make-mrtg-config,statgrab-make-mrtg-index name: staticsite version: 0.4-1 commands: ssite name: statnews version: 2.6 commands: statnews name: statserial version: 1.1-23 commands: statserial name: statsprocessor version: 0.11-3 commands: sp32,sp64 name: statsvn version: 0.7.0.dfsg-8 commands: statsvn name: stax version: 1.37-1 commands: stax name: stda version: 1.3.1-2 commands: maphimbu,mintegrate,mmval,muplot,nnum,prefield name: stdsyslog version: 0.03.3-1 commands: stdsyslog name: stealth version: 4.01.10-1 commands: stealth name: steghide version: 0.5.1-12 commands: steghide name: stegosuite version: 0.8.0-1 commands: stegosuite name: stegsnow version: 20130616-2 commands: stegsnow name: stella version: 5.1.1-1 commands: stella name: stellarium version: 0.18.0-1 commands: stellarium name: stenc version: 1.0.7-2 commands: stenc name: stenographer version: 0.0~git20161206.0.66a8e7e-7 commands: stenographer,stenotype name: stenographer-client version: 0.0~git20161206.0.66a8e7e-7 commands: stenocurl,stenoread name: stenographer-common version: 0.0~git20161206.0.66a8e7e-7 commands: stenokeys name: step version: 4:17.12.3-0ubuntu1 commands: step name: stepic version: 0.4.1-1 commands: stepic name: steptalk version: 0.10.0-6build4 commands: stenvironment,stexec,stshell name: stetl version: 1.1+ds-2 commands: stetl name: stgit version: 0.17.1-1 commands: stg name: stgit-contrib version: 0.17.1-1 commands: stg-cvs,stg-dispatch,stg-fold-files-from,stg-gitk,stg-k,stg-mdiff,stg-show,stg-show-old,stg-swallow,stg-unnew,stg-whatchanged name: stiff version: 2.4.0-2build1 commands: stiff name: stilts version: 3.1.2-2 commands: stilts name: stimfit version: 0.15.4-1 commands: stimfit name: stjerm version: 0.16-0ubuntu3 commands: stjerm name: stk version: 4.5.2+dfsg-5build1 commands: STKDemo,stk-demo name: stlcmd version: 1.1-1 commands: stl_bbox,stl_boolean,stl_borders,stl_cone,stl_convex,stl_count,stl_cube,stl_cylinder,stl_empty,stl_header,stl_merge,stl_normals,stl_sphere,stl_spreadsheet,stl_threads,stl_torus,stl_transform name: stm32flash version: 0.5-1build1 commands: stm32flash name: stockfish version: 8-3 commands: stockfish name: stoken version: 0.92-1 commands: stoken,stoken-gui name: stompserver version: 0.9.9gem-4 commands: stompserver name: stone version: 2.3.e-2.1 commands: stone name: stopmotion version: 0.8.4-2 commands: stopmotion name: stopwatch version: 3.5-6 commands: stopwatch name: storebackup version: 3.2.1-1 commands: llt,storeBackup,storeBackupCheckBackup,storeBackupConvertBackup,storeBackupDel,storeBackupMount,storeBackupRecover,storeBackupSearch,storeBackupUpdateBackup,storeBackupVersions,storeBackup_du,storeBackupls name: storj version: 1.0.2-1 commands: storj name: stormbaancoureur version: 2.1.6-2 commands: stormbaancoureur name: storymaps version: 1.0+dfsg-3 commands: storymaps name: stow version: 2.2.2-1 commands: chkstow,stow name: streamer version: 3.103-4build1 commands: streamer name: streamlink version: 0.10.0+dfsg-1 commands: streamlink name: streamripper version: 1.64.6-1build1 commands: streamripper name: streamtuner2 version: 2.2.0+dfsg-1 commands: streamtuner2 name: stress version: 1.0.4-2 commands: stress name: stress-ng version: 0.09.25-1 commands: stress-ng name: stressant version: 0.4.1 commands: stressant name: stretchplayer version: 0.503-3build2 commands: stretchplayer name: strigi-client version: 0.7.8-2.2 commands: strigiclient name: strigi-daemon version: 0.7.8-2.2 commands: lucene2indexer,strigidaemon name: strigi-utils version: 0.7.8-2.2 commands: deepfind,deepgrep,rdfindexer,strigicmd,xmlindexer name: strip-nondeterminism version: 0.040-1.1~build1 commands: strip-nondeterminism name: strongswan-pki version: 5.6.2-1ubuntu2 commands: pki name: strongswan-swanctl version: 5.6.2-1ubuntu2 commands: swanctl name: structure-synth version: 1.5.0-3 commands: structure-synth name: stterm version: 0.6-1 commands: stterm,x-terminal-emulator name: stubby version: 1.4.0-1 commands: stubby name: stumpwm version: 2:0.9.9-3 commands: stumpwm,x-window-manager name: stun-client version: 0.97~dfsg-2.1build1 commands: stun name: stun-server version: 0.97~dfsg-2.1build1 commands: stund name: stunnel4 version: 3:5.44-1ubuntu3 commands: stunnel,stunnel3,stunnel4 name: stuntman-client version: 1.2.7-1.1 commands: stunclient name: stuntman-server version: 1.2.7-1.1 commands: stunserver name: stx-btree-demo version: 0.9-2build2 commands: wxBTreeDemo name: stx2any version: 1.56-2.1 commands: extract_usage_from_stx,gather_stx_titles,html2stx,strip_stx,stx2any name: stylish-haskell version: 0.8.1.0-1 commands: stylish-haskell name: stymulator version: 0.21a~dfsg-2 commands: ym2wav,ymplayer name: styx version: 2.0.1-1build1 commands: ctoh,lim_test,pim_test,ptm_img,stydoc,stypp,styx name: subcommander version: 2.0.0~b5p2-6 commands: subcommander,submerge name: subdownloader version: 2.0.18-2.1 commands: subdownloader name: subiquity version: 0.0.29 commands: subiquity name: subiquity-tools version: 0.0.29 commands: subiquity-geninstaller,subiquity-runinstaller name: subliminal version: 1.1.1-2 commands: subliminal name: subnetcalc version: 2.1.3-1ubuntu2 commands: subnetcalc name: subtitlecomposer version: 0.6.6-2 commands: subtitlecomposer name: subtitleeditor version: 0.54.0-2 commands: subtitleeditor name: subtle version: 0.11.3224-xi-2.2build2 commands: subtle,subtler,sur,surserver name: subunit version: 1.2.0-0ubuntu2 commands: subunit-1to2,subunit-2to1,subunit-diff,subunit-filter,subunit-ls,subunit-notify,subunit-output,subunit-stats,subunit-tags,subunit2csv,subunit2disk,subunit2gtk,subunit2junitxml,subunit2pyunit,tap2subunit name: subuser version: 0.6.1-3 commands: execute-json-from-fifo,subuser name: subversion version: 1.9.7-4ubuntu1 commands: svn,svnadmin,svnauthz,svnauthz-validate,svnbench,svndumpfilter,svnfsfs,svnlook,svnmucc,svnrdump,svnserve,svnsync,svnversion name: subversion-tools version: 1.9.7-4ubuntu1 commands: fsfs-access-map,svn-backup-dumps,svn-bisect,svn-clean,svn-fast-backup,svn-hot-backup,svn-populate-node-origins-index,svn-vendor,svn_apply_autoprops,svn_load_dirs,svnraisetreeconflict,svnwrap name: suck version: 4.3.3-1build1 commands: get-news,lmove,rpost,suck,testhost name: suckless-tools version: 43-1 commands: dmenu,dmenu_path,dmenu_run,lsw,slock,sprop,sselp,ssid,stest,swarp,tabbed,tabbed.default,tabbed.meta,wmname,xssstate name: sucrack version: 1.2.3-4 commands: sucrack name: sudo-ldap version: 1.8.21p2-3ubuntu1 commands: sudo,sudoedit,sudoreplay,visudo name: sudoku version: 1.0.5-2build2 commands: sudoku name: sugar-session version: 0.112-4 commands: sugar,sugar-backlight-helper,sugar-backlight-setup,sugar-control-panel,sugar-erase-bundle,sugar-install-bundle,sugar-launch,sugar-serial-number-helper name: sugarplum version: 0.9.10-18 commands: decode_teergrube name: suitename version: 0.3.070628-1build1 commands: suitename name: sumaclust version: 1.0.31-1 commands: sumaclust name: sumatra version: 1.0.31-1 commands: sumatra name: summain version: 0.20-1 commands: summain name: sumo version: 0.32.0+dfsg1-1 commands: TraCITestClient,activitygen,dfrouter,duarouter,jtrrouter,marouter,netconvert,netedit,netgenerate,od2trips,polyconvert,sumo,sumo-gui name: sumtrees version: 4.3.0+dfsg-1 commands: sumtrees name: sunclock version: 3.57-8 commands: sunclock name: sunflow version: 0.07.2.svn396+dfsg-16 commands: sunflow name: sunpinyin-utils version: 3.0.0~git20160910-1 commands: genpyt,getwordfreq,idngram_merge,ids2ngram,mmseg,slmbuild,slminfo,slmpack,slmprune,slmseg,slmthread,tslmendian,tslminfo name: sunxi-tools version: 1.4.1-1 commands: bin2fex,fex2bin,sunxi-bootinfo,sunxi-fel,sunxi-fexc,sunxi-nand-part name: sup version: 20100519-1build1 commands: sup,supfilesrv,supscan name: sup-mail version: 0.22.1-2 commands: sup-add,sup-config,sup-dump,sup-import-dump,sup-mail,sup-psych-ify-config-files,sup-recover-sources,sup-sync,sup-sync-back-maildir,sup-tweak-labels name: super version: 3.30.0-7build1 commands: setuid,super name: supercat version: 0.5.5-4.3 commands: spc name: supercollider-ide version: 1:3.8.0~repack-2 commands: scide name: supercollider-language version: 1:3.8.0~repack-2 commands: sclang name: supercollider-server version: 1:3.8.0~repack-2 commands: scsynth name: supercollider-vim version: 1:3.8.0~repack-2 commands: sclangpipe_app,scvim name: superkb version: 0.23-2 commands: superkb name: supermin version: 5.1.19-2ubuntu1 commands: supermin name: supertransball2 version: 1.5-8 commands: supertransball2 name: supertux version: 0.5.1-1build1 commands: supertux2 name: supertuxkart version: 0.9.3-1 commands: supertuxkart name: supervisor version: 3.3.1-1.1 commands: echo_supervisord_conf,pidproxy,supervisorctl,supervisord name: supybot version: 0.83.4.1.ds-3 commands: supybot,supybot-adduser,supybot-botchk,supybot-plugin-create,supybot-plugin-doc,supybot-test,supybot-wizard name: surankco version: 0.0.r5+dfsg-1 commands: surankco-feature,surankco-prediction,surankco-score,surankco-training name: surf version: 2.0-5 commands: surf,x-www-browser name: surf-alggeo-nox version: 1.0.6+ds-4build1 commands: surf-alggeo,surf-alggeo-nox name: surf-display version: 0.0.5-1 commands: surf-display,x-session-manager name: surfraw version: 2.2.9-1ubuntu1 commands: sr,surfraw,surfraw-update-path name: surfraw-extra version: 2.2.9-1ubuntu1 commands: opensearch-discover,opensearch-genquery name: suricata version: 3.2-2ubuntu3 commands: suricata,suricata.generic,suricatasc name: suricata-oinkmaster version: 3.2-2ubuntu3 commands: suricata-oinkmaster-updater name: survex version: 1.2.33-1 commands: 3dtopos,cad3d,cavern,diffpos,dump3d,extend,sorterr name: survex-aven version: 1.2.33-1 commands: aven name: svgtoipe version: 1:7.2.7-1build1 commands: svgtoipe name: svgtune version: 0.2.0-2 commands: svgtune name: sview version: 17.11.2-1build1 commands: sview name: svn-all-fast-export version: 1.0.10+git20160822-3 commands: svn-all-fast-export name: svn-buildpackage version: 0.8.6 commands: svn-buildpackage,svn-do,svn-inject,svn-upgrade,uclean name: svn-load version: 1.3-1 commands: svn-load name: svn-workbench version: 1.8.2-2 commands: pysvn-workbench,svn-workbench name: svn2cl version: 0.14-1 commands: svn2cl name: svn2git version: 2.4.0-1 commands: svn2git name: svnkit version: 1.8.14-1 commands: jsvn,jsvnadmin,jsvndumpfilter,jsvnlook,jsvnsync,jsvnversion name: svnmailer version: 1.0.9-3 commands: svn-mailer name: svtplay-dl version: 1.9.6-1 commands: svtplay-dl name: svxlink-calibration-tools version: 17.12.1-2 commands: devcal,siglevdetcal name: svxlink-server version: 17.12.1-2 commands: svxlink name: svxreflector version: 17.12.1-2 commands: svxreflector name: swac-get version: 0.5.1-0ubuntu3 commands: swac-get name: swac-scan version: 0.2-0ubuntu5 commands: swac-scan name: swaks version: 20170101.0-2 commands: swaks name: swami version: 2.0.0+svn389-5 commands: swami name: swaml version: 0.1.1-6 commands: swaml name: swap-cwm version: 1.2.1-7 commands: cant,cwm,delta name: swapspace version: 1.10-4ubuntu4 commands: swapspace name: swarp version: 2.38.0+dfsg-3build1 commands: SWarp name: swatch version: 3.2.4-1 commands: swatchdog name: swath version: 0.6.0-2 commands: swath name: swauth version: 1.3.0-1 commands: swauth-add-account,swauth-add-user,swauth-cleanup-tokens,swauth-delete-account,swauth-delete-user,swauth-list,swauth-prep,swauth-set-account-service name: sweep version: 0.9.3-8build1 commands: sweep name: sweeper version: 4:17.12.3-0ubuntu1 commands: sweeper name: sweethome3d version: 5.7+dfsg-2 commands: sweethome3d name: sweethome3d-furniture-editor version: 1.22-1 commands: sweethome3d-furniture-editor name: sweethome3d-textures-editor version: 1.5-2 commands: sweethome3d-textures-editor name: swell-foop version: 1:3.28.0-1 commands: swell-foop name: swfmill version: 0.3.3-1 commands: swfmill name: swftools version: 0.9.2+git20130725-4.1 commands: as3compile,font2swf,gif2swf,jpeg2swf,png2swf,swfbbox,swfc,swfcombine,swfdump,swfextract,swfrender,swfstrings,wav2swf name: swi-prolog-nox version: 7.6.4+dfsg-1build1 commands: dh_swi_prolog,prolog,swipl,swipl-ld,swipl-rc name: swi-prolog-x version: 7.6.4+dfsg-1build1 commands: xpce,xpce-client name: swift version: 2.17.0-0ubuntu1 commands: swift-config,swift-dispersion-populate,swift-dispersion-report,swift-form-signature,swift-get-nodes,swift-oldies,swift-orphans,swift-recon,swift-recon-cron,swift-ring-builder,swift-ring-builder-analyzer name: swift-bench version: 1.2.0-3 commands: swift-bench,swift-bench-client name: swift-object-expirer version: 2.17.0-0ubuntu1 commands: swift-object-expirer name: swig version: 3.0.12-1 commands: ccache-swig,swig name: swig3.0 version: 3.0.12-1 commands: ccache-swig3.0,swig3.0 name: swish version: 0.9.1.10-1 commands: Swish name: swish++ version: 6.1.5-5 commands: extract++,httpindex,index++,search++,splitmail++ name: swish-e version: 2.4.7-5ubuntu1 commands: swish-e,swish-search name: swish-e-dev version: 2.4.7-5ubuntu1 commands: swish-config name: swisswatch version: 0.6-17 commands: swisswatch name: switchconf version: 0.0.15-1 commands: switchconf name: switcheroo-control version: 1.2-1 commands: switcheroo-control name: switchsh version: 0~20070801-4 commands: switchsh name: sx version: 2.0+ds-4build2 commands: sx.fcgi,sxacl,sxadm,sxcat,sxcp,sxdump,sxfs,sxinit,sxls,sxmv,sxreport-client,sxreport-server,sxrev,sxrm,sxserver,sxsetup,sxsim,sxvol name: sxhkd version: 0.5.8-1 commands: sxhkd name: sxid version: 4.20130802-1ubuntu2 commands: sxid name: sxiv version: 24-1 commands: sxiv name: sylfilter version: 0.8-6 commands: sylfilter name: sylph-searcher version: 1.2.0-13 commands: syldbimport,syldbquery,sylph-searcher name: sylpheed version: 3.5.1-1ubuntu3 commands: sylpheed name: sylseg-sk version: 0.7.2-2 commands: sylseg-sk,sylseg-sk-training name: symlinks version: 1.4-3build1 commands: symlinks name: sympa version: 6.2.24~dfsg-1 commands: alias_manager,sympa,sympa_wizard name: sympathy version: 1.2.1+woking+cvs+git20171124 commands: sympathy name: sympow version: 1.023-8 commands: sympow name: synapse version: 0.2.99.4-1 commands: synapse name: synaptic version: 0.84.3ubuntu1 commands: synaptic,synaptic-pkexec name: sync-ui version: 1.5.3-1ubuntu2 commands: sync-ui name: syncache version: 1.4-1 commands: syncache-drb name: syncevolution version: 1.5.3-1ubuntu2 commands: syncevolution name: syncevolution-common version: 1.5.3-1ubuntu2 commands: synccompare name: syncevolution-http version: 1.5.3-1ubuntu2 commands: syncevo-http-server name: syncmaildir version: 1.3.0-1 commands: mddiff,smd-check-conf,smd-client,smd-loop,smd-pull,smd-push,smd-restricted-shell,smd-server,smd-translate,smd-uniform-names name: syncmaildir-applet version: 1.3.0-1 commands: smd-applet name: syncthing version: 0.14.43+ds1-6 commands: syncthing name: syncthing-discosrv version: 0.14.43+ds1-6 commands: stdiscosrv name: syncthing-relaysrv version: 0.14.43+ds1-6 commands: strelaysrv name: synergy version: 1.8.8-stable+dfsg.1-1build1 commands: synergy,synergyc,synergyd,synergys,syntool name: synfig version: 1.2.1-0ubuntu4 commands: synfig name: synfigstudio version: 1.2.1-0.1 commands: synfigstudio name: synopsis version: 0.12-10 commands: sxr-server,synopsis name: synthv1 version: 0.8.6-1 commands: synthv1_jack name: syrep version: 0.9-4.3 commands: syrep name: syrthes version: 4.3.0-dfsg1-2build1 commands: syrthes4_create_case name: syrthes-gui version: 4.3.0-dfsg1-2build1 commands: syrthes-gui name: syrthes-tools version: 4.3.0-dfsg1-2build1 commands: convert2syrthes4,syrthes-post,syrthes-pp,syrthes-ppfunc,syrthes4ensight,syrthes4med30 name: sysconftool version: 0.17-1 commands: sysconftoolcheck,sysconftoolize name: sysdig version: 0.19.1-1build2 commands: csysdig,sysdig name: sysfsutils version: 2.1.0+repack-4build1 commands: systool name: sysinfo version: 0.7-10.1 commands: sysinfo name: syslog-nagios-bridge version: 1.0.3-1 commands: syslog-nagios-bridge name: syslog-ng-core version: 3.13.2-3 commands: dqtool,loggen,pdbtool,syslog-ng,syslog-ng-ctl,syslog-ng-debun,update-patterndb name: syslog-summary version: 1.14-2.1 commands: syslog-summary name: sysnews version: 0.9-17build1 commands: news name: sysrqd version: 14-1build1 commands: sysrqd name: system-config-kickstart version: 2.5.20-0ubuntu25 commands: ksconfig,system-config-kickstart name: system-config-samba version: 1.2.63-0ubuntu6 commands: system-config-samba name: system-tools-backends version: 2.10.2-3 commands: system-tools-backends name: systemd-container version: 237-3ubuntu10 commands: machinectl,systemd-nspawn name: systemd-coredump version: 237-3ubuntu10 commands: coredumpctl name: systemd-cron version: 1.5.13-1 commands: crontab name: systemd-docker version: 0.2.1+dfsg-2 commands: systemd-docker name: systempreferences.app version: 1.2.0-2build3 commands: SystemPreferences name: systemsettings version: 4:5.12.4-0ubuntu1 commands: systemsettings5 name: systemtap version: 3.1-3ubuntu0.1 commands: stap,stap-prep name: systemtap-runtime version: 3.1-3ubuntu0.1 commands: stap-merge,staprun name: systemtap-sdt-dev version: 3.1-3ubuntu0.1 commands: dtrace name: systemtap-server version: 3.1-3ubuntu0.1 commands: stap-server name: systraq version: 20160803-3 commands: st_snapshot,st_snapshot.hourly,systraq name: systray-mdstat version: 1.1.0-1 commands: systray-mdstat name: systune version: 0.5.7 commands: systune,systunedump name: sysvbanner version: 1.0.15build1 commands: banner name: t-coffee version: 11.00.8cbe486-6 commands: t_coffee name: t-prot version: 3.4-4 commands: t-prot name: t2html version: 2016.1020+git294e8d7-1 commands: t2html name: t38modem version: 2.0.0-4build3 commands: t38modem name: t3highlight version: 0.4.5-1 commands: t3highlight name: t50 version: 5.7.1-1 commands: t50 name: tabble version: 0.43-3 commands: tabble,tabble-wrapper name: tabix version: 1.7-2 commands: bgzip,htsfile,tabix name: tableau-parm version: 0.2.0-4 commands: tableau-parm name: tablet-encode version: 2.30-0.1ubuntu1 commands: tablet-encode name: tablix2 version: 0.3.5-3.1 commands: tablix2,tablix2_benchmark,tablix2_kernel,tablix2_output,tablix2_plot,tablix2_test name: tacacs+ version: 4.0.4.27a-3 commands: do_auth,tac_plus,tac_pwd name: tachyon-bin-nox version: 0.99~b6+dsx-8 commands: tachyon-nox name: tachyon-bin-ogl version: 0.99~b6+dsx-8 commands: tachyon-ogl name: tack version: 1.08-1 commands: tack name: taffybar version: 0.4.6-6 commands: taffybar name: tagainijisho version: 1.0.2-2 commands: tagainijisho name: tagcloud version: 1.4-1.2 commands: tagcloud name: tagcoll version: 2.0.14-2 commands: tagcoll name: taggrepper version: 0.05-3 commands: taggrepper name: taglog version: 0.2.3-1.1 commands: taglog name: tagua version: 1.0~alpha2-16-g618c6a0-1 commands: tagua name: tahoe-lafs version: 1.12.1-2+build1 commands: tahoe name: taktuk version: 3.7.7-1 commands: taktuk name: tali version: 1:3.22.0-2 commands: tali name: talk version: 0.17-15build2 commands: netkit-ntalk,talk name: talkd version: 0.17-15build2 commands: in.ntalkd,in.talkd name: talksoup.app version: 1.0alpha-32-g55b4d4e-2build3 commands: TalkSoup name: tandem-mass version: 1:20170201.1-1 commands: tandem name: tangerine version: 0.3.4-6ubuntu3 commands: tangerine,tangerine-properties name: tanglet version: 1.3.1-2build1 commands: tanglet name: tantan version: 13-4 commands: tantan name: taopm version: 1.0-3.1 commands: tao,tao-config,tao2aiff,tao2wav,taoparse,taosf name: tapecalc version: 20070214-2build2 commands: tapecalc name: tappy version: 2.2-1 commands: tappy name: tar-scripts version: 1.29b-2 commands: tar-backup,tar-restore name: tar-split version: 0.10.2-1 commands: tar-split name: tarantool-lts-common version: 1.5.5.37.g1687c02-1 commands: tarantool_instance,tarantool_snapshot_rotate name: tardiff version: 0.1-5 commands: tardiff name: tardy version: 1.25-1build1 commands: tardy name: targetcli-fb version: 2.1.43-1 commands: targetcli name: tart version: 3.10-1build1 commands: tart name: task-spooler version: 1.0-1 commands: tsp name: taskcoach version: 1.4.3-6 commands: taskcoach name: taskd version: 1.1.0+dfsg-3 commands: taskd,taskdctl name: tasksh version: 1.2.0-1 commands: tasksh name: taskwarrior version: 2.5.1+dfsg-6 commands: task name: tasque version: 0.1.12-4.1ubuntu1 commands: tasque name: tau version: 2.17.3.1.dfsg-4.2 commands: pprof,tau-config,tau_analyze,tau_compiler,tau_convert,tau_merge,tau_reduce,tau_throttle,tau_treemerge,taucc,taucxx,tauex,tauf90 name: tau-racy version: 2.17.3.1.dfsg-4.2 commands: racy,taud name: tayga version: 0.9.2-6build1 commands: tayga name: tcd-utils version: 20061127-2build1 commands: build_tide_db,restore_tide_db,rewrite_tide_db.sh name: tcl version: 8.6.0+9 commands: tclsh name: tcl-combat version: 0.8.1-1 commands: idl2tcl,iordump name: tcl-dev version: 8.6.0+9 commands: tcltk-depends name: tcl-vtk6 version: 6.3.0+dfsg1-11build1 commands: vtkWrapTcl-6.3,vtkWrapTclInit-6.3 name: tcl-vtk7 version: 7.1.1+dfsg1-2 commands: vtkWrapTcl-7.1,vtkWrapTclInit-7.1 name: tcl8.5 version: 8.5.19-4 commands: tclsh8.5 name: tcllib version: 1.19-dfsg-2 commands: dtplite,mpexpand,nns,nnsd,nnslog,page,pt,tcldocstrip name: tcm version: 2.20+TSQD-5 commands: psf,tatd,tcbd,tcm,tcmd,tcmt,tcpd,tcrd,tdfd,tdpd,tefd,terd,tesd,text2ps,tfet,tfrt,tgd,tgt,tgtt,tpsd,trpg,tscd,tsnd,tsqd,tssd,tstd,ttdt,ttut,tucd name: tcode version: 0.1.20080918-2 commands: texjava name: tcpcryptd version: 0.5-1build1 commands: tcnetstat,tcpcryptd name: tcpd version: 7.6.q-27 commands: safe_finger,tcpd,tcpdchk,tcpdmatch,try-from name: tcpflow version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpflow-nox version: 1.4.5+repack1-4build2 commands: tcpflow name: tcpick version: 0.2.1-7 commands: tcpick name: tcplay version: 1.1-4 commands: tcplay name: tcpreen version: 1.4.4-2ubuntu2 commands: tcpreen name: tcpreplay version: 4.2.6-1 commands: tcpbridge,tcpcapinfo,tcpliveplay,tcpprep,tcpreplay,tcpreplay-edit,tcprewrite name: tcpser version: 1.0rc12-2build1 commands: tcpser name: tcpslice version: 1.2a3-4build1 commands: tcpslice name: tcpspy version: 1.7d-13 commands: tcpspy name: tcpstat version: 1.5-8build1 commands: tcpprof,tcpstat name: tcptrace version: 6.6.7-5 commands: tcptrace,xpl2gpl name: tcptraceroute version: 1.5beta7+debian-4build1 commands: tcptraceroute,tcptraceroute.mt name: tcptrack version: 1.4.2-2build1 commands: tcptrack name: tcputils version: 0.6.2-10build1 commands: getpeername,mini-inetd,tcpbug,tcpconnect,tcplisten name: tcpwatch-httpproxy version: 1.3.1-2 commands: tcpwatch-httpproxy name: tcpxtract version: 1.0.1-11build1 commands: tcpxtract name: tcs version: 1-11build1 commands: tcs name: tcsh version: 6.20.00-7 commands: csh,tcsh name: tcvt version: 0.1.20171010-1 commands: optcvt,tcvt name: td2planet version: 0.3.0-3 commands: td2planet name: tdc version: 1.6-2 commands: tdc name: tdfsb version: 0.0.10-3 commands: tdfsb name: tdiary-core version: 5.0.8-1 commands: tdiary-convert2,tdiary-setup name: te923con version: 0.6.1-1ubuntu1 commands: te923con name: tea version: 44.1.1-2 commands: tea name: tecnoballz version: 0.93.1-8 commands: tecnoballz name: teem-apps version: 1.12.0~20160122-2 commands: teem-gprobe,teem-ilk,teem-miter,teem-mrender,teem-nrrdSanity,teem-overrgb,teem-puller,teem-tend,teem-unu,teem-vprobe name: teensy-loader-cli version: 2.1-1 commands: teensy_loader_cli name: teeworlds version: 0.6.4+dfsg-1 commands: teeworlds name: teeworlds-server version: 0.6.4+dfsg-1 commands: teeworlds-server name: teg version: 0.11.2+debian-5 commands: tegclient,tegrobot,tegserver name: tegaki-recognize version: 0.3.1.2-1 commands: tegaki-recognize name: tegaki-train version: 0.3.1-1.1 commands: tegaki-train name: tekka version: 1.4.0+git20160822+dfsg-4 commands: tekka name: telegnome version: 0.3.3-1 commands: telegnome name: telegram-desktop version: 1.2.17-1 commands: telegram-desktop name: telepathy-indicator version: 0.3.1+14.10.20140908-0ubuntu2 commands: telepathy-indicator name: telepathy-mission-control-5 version: 1:5.16.4-2ubuntu1 commands: mc-tool,mc-wait-for-name name: telepathy-resiprocate version: 1:1.11.0~beta5-1 commands: telepathy-resiprocate name: tellico version: 3.1.2-0.1 commands: tellico name: telnet-ssl version: 0.17.41+0.2-3build1 commands: telnet,telnet-ssl name: telnetd version: 0.17-41 commands: in.telnetd name: telnetd-ssl version: 0.17.41+0.2-3build1 commands: in.telnetd name: tempest version: 1:17.2.0-0ubuntu1 commands: tempest_debian_shell_wrapper name: tempest-for-eliza version: 1.0.5-2build1 commands: easy_eliza,tempest_for_eliza,tempest_for_mp3 name: tenace version: 0.15-1 commands: tenace name: tendermint version: 0.8.0+git20170113.0.764091d-2 commands: tendermint name: tenmado version: 0.10-2build1 commands: tenmado name: tennix version: 1.1-3.1 commands: tennix name: tenshi version: 0.13-2+deb7u1 commands: tenshi name: tercpp version: 0.6.2+svn46-1.1build1 commands: tercpp name: termdebug version: 2.2+dfsg-1build3 commands: tdcompare,tdrecord,tdreplay,tdrerecord,tdview,termdebug name: terminal.app version: 0.9.9-1build1 commands: Terminal name: terminator version: 1.91-1 commands: terminator,x-terminal-emulator name: terminatorx version: 4.0.1-1 commands: terminatorX name: terminology version: 0.9.1-1 commands: terminology,tyalpha,tybg,tycat,tyls,typop,tyq,x-terminal-emulator name: termit version: 3.0-1 commands: termit,x-terminal-emulator name: termsaver version: 0.3-1 commands: termsaver name: terraintool version: 1.13-2 commands: terraintool name: teseq version: 1.1-0.1build1 commands: reseq,teseq name: tessa version: 0.3.1-6.2 commands: tessa name: tessa-mpi version: 0.3.1-6.2 commands: tessa-mpi name: tesseract-ocr version: 4.00~git2288-10f4998a-2 commands: ambiguous_words,classifier_tester,cntraining,combine_lang_model,combine_tessdata,dawg2wordlist,lstmeval,lstmtraining,merge_unicharsets,mftraining,set_unicharset_properties,shapeclustering,tesseract,text2image,unicharset_extractor,wordlist2dawg name: testdisk version: 7.0-3build2 commands: fidentify,photorec,testdisk name: testdrive-cli version: 3.27-0ubuntu1 commands: testdrive name: testdrive-gtk version: 3.27-0ubuntu1 commands: testdrive-gtk name: testssl.sh version: 2.9.5-1+dfsg1-2 commands: testssl name: tetgen version: 1.5.0-4 commands: tetgen name: tetradraw version: 2.0.3-9build1 commands: tetradraw,tetraview name: tetraproc version: 0.8.2-2build2 commands: tetrafile,tetraproc name: tetrinet-client version: 0.11+CVS20070911-2build1 commands: tetrinet-client name: tetrinet-server version: 0.11+CVS20070911-2build1 commands: tetrinet-server name: tetrinetx version: 1.13.16-14build1 commands: tetrinetx name: tetzle version: 2.1.2+dfsg1-1 commands: tetzle name: texi2html version: 1.82+dfsg1-5 commands: texi2html name: texify version: 1.20-3 commands: texify,texifyB,texifyabel,texifyada,texifyasm,texifyaxiom,texifybeta,texifybison,texifyc,texifyc++,texifyidl,texifyjava,texifylex,texifylisp,texifylogla,texifymatlab,texifyml,texifyperl,texifypromela,texifypython,texifyruby,texifyscheme,texifysim,texifysql,texifyvhdl name: texinfo version: 6.5.0.dfsg.1-2 commands: makeinfo,pdftexi2dvi,pod2texi,texi2any,texi2dvi,texi2pdf,texindex,txixml2texi name: texlive-bibtex-extra version: 2017.20180305-2 commands: bbl2bib,bib2gls,bibdoiadd,bibexport,bibmradd,biburl2doi,bibzbladd,convertgls2bib,listbib,ltx2crossrefxml,multibibliography,urlbst name: texlive-extra-utils version: 2017.20180305-2 commands: a2ping,a5toa4,adhocfilelist,arara,arlatex,bundledoc,checklistings,ctan-o-mat,ctanify,ctanupload,de-macro,depythontex,depythontex3,dtxgen,dviasm,dviinfox,e2pall,findhyph,installfont-tl,latex-git-log,latex-papersize,latex2man,latex2nemeth,latexdef,latexfileversion,latexindent,latexpand,listings-ext,ltxfileinfo,ltximg,make4ht,match_parens,mkjobtexmf,pdf180,pdf270,pdf90,pdfbook,pdfbook2,pdfcrop,pdfflip,pdfjam,pdfjam-pocketmod,pdfjam-slides3up,pdfjam-slides6up,pdfjoin,pdflatexpicscale,pdfnup,pdfpun,pdfxup,pfarrei,pkfix,pkfix-helper,pythontex,pythontex3,rpdfcrop,srcredact,sty2dtx,tex4ebook,texcount,texdef,texdiff,texdirflatten,texfot,texliveonfly,texloganalyser,texosquery,texosquery-jre5,texosquery-jre8,typeoutfileinfo name: texlive-font-utils version: 2017.20180305-2 commands: afm2afm,autoinst,dosepsbin,epstopdf,fontinst,mf2pt1,mkt1font,ot2kpx,ps2frag,pslatex,repstopdf,vpl2ovp,vpl2vpl name: texlive-formats-extra version: 2017.20180305-2 commands: eplain,jadetex,lamed,lollipop,mllatex,mltex,pdfjadetex,pdfxmltex,texsis,xmltex name: texlive-games version: 2017.20180305-2 commands: rubikrotation name: texlive-humanities version: 2017.20180305-2 commands: diadia name: texlive-lang-cjk version: 2017.20180305-1 commands: cjk-gs-integrate,jfmutil name: texlive-lang-cyrillic version: 2017.20180305-1 commands: rubibtex,rumakeindex name: texlive-lang-czechslovak version: 2017.20180305-1 commands: cslatex,csplain,pdfcslatex,pdfcsplain name: texlive-lang-greek version: 2017.20180305-1 commands: mkgrkindex name: texlive-lang-japanese version: 2017.20180305-1 commands: convbkmk,kanji-config-updmap,kanji-config-updmap-sys,kanji-config-updmap-user,kanji-fontmap-creator,platex,ptex2pdf,uplatex name: texlive-lang-korean version: 2017.20180305-1 commands: jamo-normalize,komkindex,ttf2kotexfont name: texlive-lang-other version: 2017.20180305-1 commands: ebong name: texlive-lang-polish version: 2017.20180305-1 commands: mex,pdfmex,utf8mex name: texlive-latex-extra version: 2017.20180305-2 commands: authorindex,exceltex,latex-wordcount,makedtx,makeglossaries,makeglossaries-lite,pdfannotextractor,perltex,pygmentex,splitindex,svn-multi,vpe,yplan name: texlive-luatex version: 2017.20180305-1 commands: checkcites,lua2dox_filter,luaotfload-tool name: texlive-music version: 2017.20180305-2 commands: lily-glyph-commands,lily-image-commands,lily-rebuild-pdfs,m-tx,musixflx,musixtex,pmxchords name: texlive-pictures version: 2017.20180305-1 commands: cachepic,epspdf,epspdftk,fig4latex,getmapdl,mathspic,mkpic,pn2pdf name: texlive-plain-generic version: 2017.20180305-2 commands: ht,htcontext,htlatex,htmex,httex,httexi,htxelatex,htxetex,mk4ht,xhlatex name: texlive-pstricks version: 2017.20180305-2 commands: pedigree,ps4pdf,pst2pdf name: texlive-science version: 2017.20180305-2 commands: amstex,ulqda name: texlive-xetex version: 2017.20180305-1 commands: xelatex name: texmaker version: 5.0.2-1build2 commands: texmaker name: texstudio version: 2.12.6+debian-2 commands: texstudio name: textdraw version: 0.2+ds-0+nmu1build2 commands: td,textdraw name: textedit.app version: 5.0-2 commands: TextEdit name: textql version: 2.0.3-2 commands: textql name: texvc version: 2:3.0.0+git20160613-1 commands: texvc name: texworks version: 0.6.2-2 commands: texworks name: tf version: 1:4.0s1-20 commands: tf name: tf5 version: 5.0beta8-6 commands: tf,tf5 name: tfdocgen version: 1.0-1build1 commands: tfdocgen name: tftp version: 0.17-18ubuntu3 commands: tftp name: tftpd version: 0.17-18ubuntu3 commands: in.tftpd name: tgif version: 1:4.2.5-1.3build1 commands: pstoepsi,tgif name: thc-ipv6 version: 3.2+dfsg1-1build1 commands: atk6-address6,atk6-alive6,atk6-connsplit6,atk6-covert_send6,atk6-covert_send6d,atk6-denial6,atk6-detect-new-ip6,atk6-detect_sniffer6,atk6-dnsdict6,atk6-dnsrevenum6,atk6-dnssecwalk,atk6-dos-new-ip6,atk6-dump_dhcp6,atk6-dump_router6,atk6-exploit6,atk6-extract_hosts6,atk6-extract_networks6,atk6-fake_advertise6,atk6-fake_dhcps6,atk6-fake_dns6d,atk6-fake_dnsupdate6,atk6-fake_mipv6,atk6-fake_mld26,atk6-fake_mld6,atk6-fake_mldrouter6,atk6-fake_pim6,atk6-fake_router26,atk6-fake_router6,atk6-fake_solicitate6,atk6-firewall6,atk6-flood_advertise6,atk6-flood_dhcpc6,atk6-flood_mld26,atk6-flood_mld6,atk6-flood_mldrouter6,atk6-flood_redir6,atk6-flood_router26,atk6-flood_router6,atk6-flood_rs6,atk6-flood_solicitate6,atk6-four2six,atk6-fragmentation6,atk6-fragrouter6,atk6-fuzz_dhcpc6,atk6-fuzz_dhcps6,atk6-fuzz_ip6,atk6-implementation6,atk6-implementation6d,atk6-inject_alive6,atk6-inverse_lookup6,atk6-kill_router6,atk6-ndpexhaust26,atk6-ndpexhaust6,atk6-node_query6,atk6-parasite6,atk6-passive_discovery6,atk6-randicmp6,atk6-redir6,atk6-redirsniff6,atk6-rsmurf6,atk6-sendpees6,atk6-sendpeesmp6,atk6-smurf6,atk6-thcping6,atk6-thcsyn6,atk6-toobig6,atk6-toobigsniff6,atk6-trace6 name: the version: 3.3~rc1-3 commands: editor,the name: thefuck version: 3.11-2 commands: thefuck name: themole version: 0.3-1 commands: themole name: themonospot version: 0.7.3.1-7 commands: themonospot name: theorur version: 0.5.5-0ubuntu3 commands: theorur name: thepeg-gui version: 1.8.0-3build1 commands: thepeg name: therion version: 5.4.1ds1-2 commands: therion,xtherion name: therion-viewer version: 5.4.1ds1-2 commands: loch name: theseus version: 3.3.0-6 commands: theseus,theseus_align name: thin version: 1.6.3-2build6 commands: thin name: thin-client-config-agent version: 0.8 commands: thin-client-config-agent name: thin-provisioning-tools version: 0.7.4-2ubuntu3 commands: cache_check,cache_dump,cache_metadata_size,cache_repair,cache_restore,cache_writeback,era_check,era_dump,era_invalidate,era_restore,pdata_tools,thin_check,thin_delta,thin_dump,thin_ls,thin_metadata_size,thin_repair,thin_restore,thin_rmap,thin_trim name: thinkfan version: 0.9.3-2 commands: thinkfan name: thonny version: 2.1.16-3 commands: thonny name: threadscope version: 0.2.9-2 commands: threadscope name: thrift-compiler version: 0.9.1-2.1 commands: thrift name: thuban version: 1.2.2-12build3 commands: create_epsg,thuban name: thunar version: 1.6.15-0ubuntu1 commands: Thunar,thunar,thunar-settings name: thunar-volman version: 0.8.1-2 commands: thunar-volman,thunar-volman-settings name: thunderbolt-tools version: 0.9.3-3 commands: tbtadm name: tiarra version: 20100212+r39209-4 commands: make-passwd.tiarra,tiarra name: ticgit version: 1.0.2.17-2build1 commands: ti name: ticgitweb version: 1.0.2.17-2build1 commands: ticgitweb name: ticker version: 1.11 commands: ticker name: tickr version: 0.6.4-1build1 commands: tickr name: tictactoe-ng version: 0.3.2.1-1.1 commands: tictactoe-ng name: tidy version: 1:5.2.0-2 commands: tidy name: tidy-proxy version: 0.97-4 commands: tidy-proxy name: tiemu-skinedit version: 1.27-2build1 commands: skinedit name: tig version: 2.3.0-1 commands: tig name: tiger version: 1:3.2.4~rc1-1 commands: tiger,tigercron,tigexp name: tigervnc-common version: 1.7.0+dfsg-8ubuntu2 commands: tigervncconfig,tigervncpasswd name: tigervnc-scraping-server version: 1.7.0+dfsg-8ubuntu2 commands: x0tigervncserver name: tigervnc-standalone-server version: 1.7.0+dfsg-8ubuntu2 commands: Xtigervnc,tigervncserver name: tigervnc-viewer version: 1.7.0+dfsg-8ubuntu2 commands: xtigervncviewer name: tightvncserver version: 1.3.10-0ubuntu4 commands: Xtightvnc,tightvncconnect,tightvncpasswd,tightvncserver name: tigr-glimmer version: 3.02b-1 commands: tigr-glimmer,tigr-run-glimmer3 name: tikzit version: 1.0+ds-2 commands: tikzit name: tilda version: 1.4.1-2 commands: tilda name: tilde version: 0.4.0-1build1 commands: editor,tilde name: tilecache version: 2.11+ds-3 commands: tilecache_clean,tilecache_http_server,tilecache_seed name: tiled version: 1.0.3-1 commands: automappingconverter,terraingenerator,tiled,tmxrasterizer,tmxviewer name: tilem version: 2.0-2build1 commands: tilem2 name: tilestache version: 1.51.5-1 commands: tilestache-clean,tilestache-compose,tilestache-list,tilestache-render,tilestache-seed,tilestache-server name: tilp2 version: 1.17-3 commands: tilp name: timbl version: 6.4.8-1 commands: timbl name: timblserver version: 1.11-1 commands: timblclient,timblserver name: timelimit version: 1.8.2-1 commands: timelimit name: timemachine version: 0.3.3-2.1 commands: timemachine name: timemon.app version: 4.2-1build2 commands: TimeMon name: timewarrior version: 1.0.0+ds.1-3 commands: timew name: timidity version: 2.13.2-41 commands: timidity name: tin version: 1:2.4.1-1build2 commands: rtin,tin name: tina version: 0.1.12-1 commands: tina name: tinc version: 1.0.33-1build1 commands: tincd name: tint version: 0.04+nmu1build2 commands: tint name: tint2 version: 16.2-1 commands: tint2,tint2conf name: tintii version: 2.10.0-1 commands: tintii name: tintin++ version: 2.01.1-1build2 commands: tt++ name: tiny-initramfs version: 0.1-5 commands: update-tirfs name: tiny-initramfs-core version: 0.1-5 commands: mktirfs name: tinyca version: 0.7.5-6 commands: tinyca2 name: tinydyndns version: 0.4.2.debian1-1build1 commands: tinydyndns-conf,tinydyndns-data,tinydyndns-update name: tinyeartrainer version: 0.1.0-4fakesync1 commands: tinyeartrainer name: tinyhoneypot version: 0.4.6-10 commands: thpot name: tinyirc version: 1:1.1.dfsg.1-3build1 commands: tinyirc name: tinymux version: 2.10.1.14-1 commands: tinymux-install name: tinyos-tools version: 1.4.2-3build1 commands: mig,motelist,ncc,ncg,nesdoc,samba-program,tos-bsl,tos-build-deluge-image,tos-channelgen,tos-check-env,tos-decode-flid,tos-deluge,tos-dump,tos-ident-flags,tos-install-jni,tos-locate-jre,tos-mote-key,tos-mviz,tos-ramsize,tos-serial-configure,tos-serial-debug,tos-set-symbols,tos-storage-at45db,tos-storage-pxa27xp30,tos-storage-stm25p,tos-write-buildinfo,tos-write-image,tosthreads-dynamic-app,tosthreads-gen-dynamic-app name: tinyproxy-bin version: 1.8.4-5 commands: tinyproxy name: tinyscheme version: 1.41.svn.2016.03.21-1 commands: tinyscheme name: tinysshd version: 20180201-1 commands: tinysshd,tinysshd-makekey,tinysshd-printkey name: tinywm version: 1.3-9build1 commands: tinywm,x-window-manager name: tio version: 1.29-1 commands: tio name: tipp10 version: 2.1.0-2 commands: tipp10 name: tiptop version: 2.3.1-2 commands: ptiptop,tiptop name: tircd version: 0.30-4 commands: tircd name: tix version: 8.4.3-10 commands: tixindex name: tj3 version: 3.6.0-4 commands: tj3,tj3client,tj3d,tj3man,tj3ss_receiver,tj3ss_sender,tj3ts_receiver,tj3ts_sender,tj3ts_summary,tj3webd name: tk version: 8.6.0+9 commands: wish name: tk-brief version: 5.10-0.1ubuntu1 commands: tk-brief name: tk2 version: 1.1-10 commands: tk2 name: tk5 version: 0.6-6.2 commands: tk5 name: tk707 version: 0.8-2 commands: tk707 name: tk8.5 version: 8.5.19-3 commands: wish8.5 name: tkabber version: 1.1-1 commands: tkabber,tkabber-remote name: tkcon version: 2:2.7~20151021-2 commands: tkcon name: tkcvs version: 8.2.3-1.1 commands: tkcvs,tkdiff,tkdirdiff name: tkdesk version: 2.0-10 commands: cd-tkdesk,ed-tkdesk,od-tkdesk,op-tkdesk,pauseme,pop-tkdesk,tkdesk,tkdeskclient name: tkgate version: 2.0~b10-6 commands: gmac,tkgate,verga name: tkinfo version: 2.11-2 commands: infobrowser,tkinfo name: tkinspect version: 5.1.6p10-5 commands: tkinspect name: tklib version: 0.6-3 commands: bitmap-editor,diagram-viewer name: tkmib version: 5.7.3+dfsg-1.8ubuntu3 commands: tkmib name: tkremind version: 03.01.15-1build1 commands: cm2rem,tkremind name: tla version: 1.3.5+dfsg1-2build1 commands: tla,tla-gpg-check name: tldextract version: 2.2.0-1 commands: tldextract name: tldr version: 0.2.3-3 commands: tldr,tldr-hs name: tldr-py version: 0.7.0-2 commands: tldr,tldr-py name: tlf version: 1.3.0-2 commands: tlf name: tlp version: 1.1-2 commands: bluetooth,run-on-ac,run-on-bat,tlp,tlp-pcilist,tlp-stat,tlp-usblist,wifi,wwan name: tlsh-tools version: 3.4.4+20151206-1build3 commands: tlsh_unittest name: tm-align version: 20170708+dfsg-1 commands: TMalign,TMscore name: tmate version: 2.2.1-1build1 commands: tmate name: tmexpand version: 0.1.2.0-4 commands: tmexpand name: tmfs version: 3-2build8 commands: tmfs name: tmperamental version: 1.0 commands: tmperamental name: tmpl version: 0.0~git20160209.0.8e77bc5-4 commands: tmpl name: tmpreaper version: 1.6.13+nmu1build1 commands: tmpreaper name: tmuxinator version: 0.9.0-2 commands: tmuxinator name: tmuxp version: 1.3.5-2 commands: tmuxp name: tnat64 version: 0.05-1build1 commands: tnat64,tnat64-validateconf name: tnef version: 1.4.12-1.2 commands: tnef name: tnftp version: 20130505-3build2 commands: ftp,tnftp name: tnseq-transit version: 2.1.1-1 commands: transit,transit-tpp name: tntnet version: 2.2.1-3build1 commands: tntnet name: todoman version: 3.3.0-1 commands: todoman name: todotxt-cli version: 2.10-5 commands: todo-txt name: tofrodos version: 1.7.13+ds-3 commands: fromdos,todos name: toga2 version: 3.0.0.1SE1-2 commands: toga2 name: toilet version: 0.3-1.1 commands: figlet,figlet-toilet,toilet name: tokyocabinet-bin version: 1.4.48-11 commands: tcamgr,tcamttest,tcatest,tcbmgr,tcbmttest,tcbtest,tcfmgr,tcfmttest,tcftest,tchmgr,tchmttest,tchtest,tctmgr,tctmttest,tcttest,tcucodec,tcumttest,tcutest name: tokyotyrant version: 1.1.40-4.2build1 commands: ttserver name: tokyotyrant-utils version: 1.1.40-4.2build1 commands: tcrmgr,tcrmttest,tcrtest,ttulmgr,ttultest name: tomatoes version: 1.55-7 commands: tomatoes name: tomb version: 2.5+dfsg1-1 commands: tomb name: tomboy version: 1.15.9-0ubuntu1 commands: tomboy name: tomcat8-user version: 8.5.30-1ubuntu1 commands: tomcat8-instance-create name: tomoyo-tools version: 2.5.0-20170102-3 commands: tomoyo-auditd,tomoyo-checkpolicy,tomoyo-diffpolicy,tomoyo-domainmatch,tomoyo-editpolicy,tomoyo-findtemp,tomoyo-init,tomoyo-loadpolicy,tomoyo-notifyd,tomoyo-patternize,tomoyo-pstree,tomoyo-queryd,tomoyo-savepolicy,tomoyo-selectpolicy,tomoyo-setlevel,tomoyo-setprofile,tomoyo-sortpolicy name: topal version: 77-1 commands: mime-tool,topal,topal-fix-email,topal-fix-folder name: topcat version: 4.5.1-2 commands: topcat name: topgit version: 0.8-1.2 commands: tg name: tophat version: 2.1.1+dfsg1-1 commands: bam2fastx,bam_merge,bed_to_juncs,contig_to_chr_coords,fix_map_ordering,gtf_juncs,gtf_to_fasta,juncs_db,long_spanning_reads,map2gtf,prep_reads,sam_juncs,segment_juncs,sra_to_solid,tophat,tophat-fusion-post,tophat2,tophat_reports name: toppler version: 1.1.6-2build1 commands: toppler name: toppred version: 1.10-4 commands: toppred name: tor version: 0.3.2.10-1 commands: tor,tor-gencert,tor-instance-create,tor-resolve,torify name: tora version: 2.1.3-4 commands: tora name: torch-trepl version: 0~20170619-ge5e17e3-6 commands: th name: torchat version: 0.9.9.553-2 commands: torchat name: torcs version: 1.3.7+dfsg-4 commands: accc,nfs2ac,nfsperf,texmapper,torcs,trackgen name: torrus-common version: 2.09-1 commands: torrus name: torsocks version: 2.2.0-2 commands: torsocks name: tortoisehg version: 4.5.2-0ubuntu1 commands: hgtk,thg name: totalopenstation version: 0.3.3-2 commands: totalopenstation-cli-connector,totalopenstation-cli-parser,totalopenstation-gui name: touchegg version: 1.1.1-0ubuntu2 commands: touchegg name: toulbar2 version: 0.9.8-1 commands: toulbar2 name: tourney-manager version: 20070820-4 commands: crosstable,engine-engine-match,tourney-manager name: tox version: 2.5.0-1 commands: tox,tox-quickstart name: toxiproxy version: 2.0.0+dfsg1-6 commands: toxiproxy name: toxiproxy-cli version: 2.0.0+dfsg1-6 commands: toxiproxy-cli name: tpm-quote-tools version: 1.0.4-1build1 commands: tpm_getpcrhash,tpm_getquote,tpm_loadkey,tpm_mkaik,tpm_mkuuid,tpm_unloadkey,tpm_updatepcrhash,tpm_verifyquote name: tpm-tools version: 1.3.9.1-0.2ubuntu3 commands: tpm_changeownerauth,tpm_clear,tpm_createek,tpm_getpubek,tpm_nvdefine,tpm_nvinfo,tpm_nvread,tpm_nvrelease,tpm_nvwrite,tpm_resetdalock,tpm_restrictpubek,tpm_restrictsrk,tpm_revokeek,tpm_sealdata,tpm_selftest,tpm_setactive,tpm_setclearable,tpm_setenable,tpm_setoperatorauth,tpm_setownable,tpm_setpresence,tpm_takeownership,tpm_unsealdata,tpm_version name: tpm-tools-pkcs11 version: 1.3.9.1-0.2ubuntu3 commands: tpmtoken_import,tpmtoken_init,tpmtoken_objects,tpmtoken_protect,tpmtoken_setpasswd name: tpm2-tools version: 2.1.0-1build1 commands: tpm2_activatecredential,tpm2_akparse,tpm2_certify,tpm2_create,tpm2_createprimary,tpm2_dump_capability,tpm2_encryptdecrypt,tpm2_evictcontrol,tpm2_getmanufec,tpm2_getpubak,tpm2_getpubek,tpm2_getrandom,tpm2_hash,tpm2_hmac,tpm2_listpcrs,tpm2_listpersistent,tpm2_load,tpm2_loadexternal,tpm2_makecredential,tpm2_nvdefine,tpm2_nvlist,tpm2_nvread,tpm2_nvreadlock,tpm2_nvrelease,tpm2_nvwrite,tpm2_quote,tpm2_rc_decode,tpm2_readpublic,tpm2_rsadecrypt,tpm2_rsaencrypt,tpm2_send_command,tpm2_sign,tpm2_startup,tpm2_takeownership,tpm2_unseal,tpm2_verifysignature name: tpp version: 1.3.1-5 commands: tpp name: trabucco version: 1.1-1 commands: trabucco name: trac version: 1.2+dfsg-1 commands: trac-admin,tracd name: trac-bitten-slave version: 0.6+final-3 commands: bitten-slave name: trac-email2trac version: 2.10.0-1 commands: delete_spam,email2trac name: trac-subtickets version: 0.2.0-2 commands: check-trac-subtickets name: trace-cmd version: 2.6.1-0.1 commands: trace-cmd name: trace-summary version: 0.84-1 commands: trace-summary name: traceroute version: 1:2.1.0-2 commands: lft,lft.db,tcptracerout,tcptraceroute.db,traceprot,traceproto.db,traceroute,traceroute-nanog,traceroute.db,traceroute6,traceroute6.db name: traceview version: 2.0.0-1 commands: traceview name: trackballs version: 1.2.4-1 commands: trackballs name: tracker version: 2.0.3-1ubuntu4 commands: tracker name: tralics version: 2.14.4-2build1 commands: tralics name: tran version: 3-1 commands: tran name: trang version: 20151127+dfsg-1 commands: trang name: transcalc version: 0.14-6 commands: transcalc name: transcend version: 0.3.dfsg2-3build1 commands: Transcend,transcend name: transcriber version: 1.5.1.1-10 commands: transcriber name: transdecoder version: 5.0.1-1 commands: TransDecoder.LongOrfs,TransDecoder.Predict name: transfermii version: 1:0.6.1-3 commands: transfermii_cli name: transfermii-gui version: 1:0.6.1-3 commands: transfermii_gui name: transifex-client version: 0.13.1-1 commands: tx name: translate version: 0.6-11 commands: translate name: translate-docformat version: 0.6-5 commands: translate-docformat name: translate-toolkit version: 2.2.5-2 commands: build_firefox,build_tmdb,buildxpi,csv2po,csv2tbx,get_moz_enUS,html2po,ical2po,idml2po,ini2po,json2po,junitmsgfmt,l20n2po,moz2po,mozlang2po,msghack,odf2xliff,oo2po,oo2xliff,php2po,phppo2pypo,po2csv,po2html,po2ical,po2idml,po2ini,po2json,po2l20n,po2moz,po2mozlang,po2oo,po2php,po2prop,po2rc,po2resx,po2symb,po2tiki,po2tmx,po2ts,po2txt,po2web2py,po2wordfast,po2xliff,poclean,pocommentclean,pocompendium,pocompile,poconflicts,pocount,podebug,pofilter,pogrep,pomerge,pomigrate2,popuretext,poreencode,porestructure,posegment,posplit,poswap,pot2po,poterminology,pretranslate,prop2po,pydiff,pypo2phppo,rc2po,resx2po,symb2po,tbx2po,tiki2po,tmserver,ts2po,txt2po,web2py2po,xliff2odf,xliff2oo,xliff2po name: transmageddon version: 1.5-3 commands: transmageddon name: transmission-cli version: 2.92-3ubuntu2 commands: transmission-cli,transmission-create,transmission-edit,transmission-remote,transmission-show name: transmission-daemon version: 2.92-3ubuntu2 commands: transmission-daemon name: transmission-qt version: 2.92-3ubuntu2 commands: transmission-qt name: transmission-remote-cli version: 1.7.0-1 commands: transmission-remote-cli name: transmission-remote-gtk version: 1.3.1-2build1 commands: transmission-remote-gtk name: transrate-tools version: 1.0.0-1build1 commands: bam-read name: transtermhp version: 2.09-3 commands: 2ndscore,transterm name: trash-cli version: 0.12.9.14-2.1 commands: restore-trash,trash,trash-empty,trash-list,trash-put,trash-rm name: traverso version: 0.49.5-2 commands: traverso name: travis version: 170812-1 commands: travis name: trayer version: 1.1.7-1 commands: trayer name: tre-agrep version: 0.8.0-6 commands: tre-agrep name: tree version: 1.7.0-5 commands: tree name: tree-ppuzzle version: 5.2-10 commands: tree-ppuzzle name: tree-puzzle version: 5.2-10 commands: tree-puzzle name: treeline version: 1.4.1-1.1 commands: treeline name: treesheets version: 20161120~git7baabf39-1 commands: treesheets name: treetop version: 1.6.8-1 commands: tt name: treeviewx version: 0.5.1+20100823-5 commands: tv name: treil version: 1.8-2.2build4 commands: treil name: trend version: 1.4-1 commands: trend name: trezor version: 0.7.16-3 commands: trezorctl name: trickle version: 1.07-10.1build1 commands: trickle,tricklectl,trickled name: trigger-rally version: 0.6.5+dfsg-3 commands: trigger-rally name: triggerhappy version: 0.5.0-1 commands: th-cmd,thd name: trimage version: 1.0.5-1.1 commands: trimage name: trimmomatic version: 0.36+dfsg-3 commands: TrimmomaticPE,TrimmomaticSE name: trinity version: 1.8-4 commands: trinity,trinityserver name: triplane version: 1.0.8-2 commands: triplane name: triplea version: 1.9.0.0.7062-1 commands: triplea name: tripwire version: 2.4.3.1-2 commands: siggen,tripwire,twadmin,twprint name: tritium version: 0.3.8-3 commands: tritium,x-window-manager name: trocla version: 0.2.3-1 commands: trocla name: troffcvt version: 1.04-23build1 commands: tblcvt,tc2html,tc2html-toc,tc2null,tc2rtf,tc2text,troff2html,troff2null,troff2rtf,troff2text,troffcvt,unroff name: trophy version: 2.0.3-1build2 commands: trophy name: trousers version: 0.3.14+fixed1-1build1 commands: tcsd name: trovacap version: 0.2.2-1build1 commands: trovacap name: trove-api version: 1:9.0.0-0ubuntu1 commands: trove-api name: trove-common version: 1:9.0.0-0ubuntu1 commands: trove-fake-mode,trove-manage name: trove-conductor version: 1:9.0.0-0ubuntu1 commands: trove-conductor name: trove-guestagent version: 1:9.0.0-0ubuntu1 commands: trove-guestagent name: trove-taskmanager version: 1:9.0.0-0ubuntu1 commands: trove-mgmt-taskmanager,trove-taskmanager name: trscripts version: 1.18 commands: trbdf,trcs name: trueprint version: 5.4-2 commands: trueprint name: trustedqsl version: 2.3.1-1build2 commands: tqsl name: trydiffoscope version: 67.0.0 commands: trydiffoscope name: tryton-client version: 4.6.5-1 commands: tryton,tryton-client name: tryton-modules-country version: 4.6.0-1 commands: trytond_import_zip name: tryton-server version: 4.6.3-2 commands: trytond,trytond-admin,trytond-cron name: tsdecrypt version: 10.0-2build1 commands: tsdecrypt,tsdecrypt_dvbcsa,tsdecrypt_ffdecsa name: tse3play version: 0.3.1-6 commands: tse3play name: tshark version: 2.4.5-1 commands: tshark name: tsmarty2c version: 1.5.1-2 commands: tsmarty2c name: tsocks version: 1.8beta5+ds1-1ubuntu1 commands: inspectsocks,saveme,tsocks,validateconf name: tss2 version: 1045-1build1 commands: tssactivatecredential,tsscertify,tsscertifycreation,tsschangeeps,tsschangepps,tssclear,tssclearcontrol,tssclockrateadjust,tssclockset,tsscommit,tsscontextload,tsscontextsave,tsscreate,tsscreateek,tsscreateloaded,tsscreateprimary,tssdictionaryattacklockreset,tssdictionaryattackparameters,tssduplicate,tsseccparameters,tssecephemeral,tssencryptdecrypt,tsseventextend,tsseventsequencecomplete,tssevictcontrol,tssflushcontext,tssgetcapability,tssgetcommandauditdigest,tssgetrandom,tssgetsessionauditdigest,tssgettime,tsshash,tsshashsequencestart,tsshierarchychangeauth,tsshierarchycontrol,tsshmac,tsshmacstart,tssimaextend,tssimport,tssimportpem,tssload,tssloadexternal,tssmakecredential,tssntc2getconfig,tssntc2lockconfig,tssntc2preconfig,tssnvcertify,tssnvchangeauth,tssnvdefinespace,tssnvextend,tssnvglobalwritelock,tssnvincrement,tssnvread,tssnvreadlock,tssnvreadpublic,tssnvsetbits,tssnvundefinespace,tssnvundefinespacespecial,tssnvwrite,tssnvwritelock,tssobjectchangeauth,tsspcrallocate,tsspcrevent,tsspcrextend,tsspcrread,tsspcrreset,tsspolicyauthorize,tsspolicyauthorizenv,tsspolicyauthvalue,tsspolicycommandcode,tsspolicycountertimer,tsspolicycphash,tsspolicygetdigest,tsspolicymaker,tsspolicymakerpcr,tsspolicynv,tsspolicynvwritten,tsspolicyor,tsspolicypassword,tsspolicypcr,tsspolicyrestart,tsspolicysecret,tsspolicysigned,tsspolicytemplate,tsspolicyticket,tsspowerup,tssquote,tssreadclock,tssreadpublic,tssreturncode,tssrewrap,tssrsadecrypt,tssrsaencrypt,tsssequencecomplete,tsssequenceupdate,tsssetprimarypolicy,tssshutdown,tsssign,tsssignapp,tssstartauthsession,tssstartup,tssstirrandom,tsstimepacket,tssunseal,tssverifysignature,tsswriteapp name: tstools version: 1.11-1ubuntu2 commands: es2ts,esdots,esfilter,esmerge,esreport,esreverse,m2ts2ts,pcapreport,ps2ts,psdots,psreport,stream_type,ts2es,ts_packet_insert,tsinfo,tsplay,tsreport,tsserve name: tsung version: 1.7.0-3 commands: tsplot,tsung,tsung-recorder name: ttb version: 1.0.1+20101115-1 commands: ttb name: ttf2ufm version: 3.4.4~r2+gbp-1build1 commands: ttf2ufm,ttf2ufm_convert,ttf2ufm_x2gs name: ttfautohint version: 1.8.1-1 commands: ttfautohint,ttfautohintGUI name: tth version: 4.12+ds-2 commands: tth name: tth-common version: 4.12+ds-2 commands: latex2gif,ps2gif,ps2png,tthprep,tthrfcat,tthsplit,ttmsplit name: tthsum version: 1.3.2-1build1 commands: tthsum name: ttm version: 4.12+ds-2 commands: ttm name: ttv version: 3.103-4build1 commands: ttv name: tty-clock version: 2.3-1 commands: tty-clock name: ttyload version: 0.5-8 commands: ttyload name: ttylog version: 0.31-1 commands: ttylog name: ttyrec version: 1.0.8-5build1 commands: ttyplay,ttyrec,ttytime name: ttysnoop version: 0.12d-6build1 commands: ttysnoop,ttysnoops name: tua version: 4.3-13build1 commands: tua name: tucnak version: 4.09-1 commands: soundwrapper,tucnak name: tudu version: 0.10.2-1 commands: tudu name: tumgreyspf version: 1.36-4.1 commands: tumgreyspf name: tunapie version: 2.1.19-1 commands: tunapie name: tuned version: 2.9.0-1 commands: tuned,tuned-adm name: tuned-gtk version: 2.9.0-1 commands: tuned-gui name: tuned-utils version: 2.9.0-1 commands: powertop2tuned name: tuned-utils-systemtap version: 2.9.0-1 commands: diskdevstat,netdevstat,scomes,varnetload name: tunnelx version: 20170928-1 commands: tunnelx name: tupi version: 0.2+git08-1 commands: tupi name: tuptime version: 3.3.3 commands: tuptime name: turnin-ng version: 1.3-1 commands: project,turnin,turnincfg name: turnserver version: 0.7.3-6build1 commands: turnserver name: tuxfootball version: 0.3.1-5 commands: tuxfootball name: tuxguitar version: 1.2-23 commands: tuxguitar name: tuxmath version: 2.0.3-2 commands: tuxmath name: tuxpaint version: 1:0.9.22-12 commands: tuxpaint,tuxpaint-import name: tuxpaint-config version: 0.0.13-8 commands: tuxpaint-config name: tuxpaint-dev version: 1:0.9.22-12 commands: tp-magic-config name: tuxpuck version: 0.8.2-7 commands: tuxpuck name: tuxtype version: 1.8.3-2 commands: tuxtype name: tvnamer version: 2.3-1 commands: tvnamer name: tvoe version: 0.1-1build1 commands: tvoe name: tvtime version: 1.0.11-1 commands: tvtime,tvtime-command,tvtime-configure,tvtime-scanner name: twatch version: 0.0.7-1 commands: twatch name: twclock version: 3.3-2ubuntu2 commands: twclock name: tweak version: 3.02-2 commands: tweak,tweak-wrapper name: tweeper version: 1.2.0-1 commands: tweeper name: twiggy version: 0.1025+dfsg-1 commands: twiggy name: twine version: 1.10.0-1 commands: twine name: twinkle version: 1:1.10.1+dfsg-3 commands: twinkle name: twinkle-console version: 1:1.10.1+dfsg-3 commands: twinkle-console name: twitterwatch version: 0.1-1 commands: twitterwatch name: twm version: 1:1.0.9-1ubuntu2 commands: twm,x-window-manager name: twoftpd version: 1.42-1.2 commands: twoftpd-anon,twoftpd-anon-conf,twoftpd-auth,twoftpd-bind-port,twoftpd-conf,twoftpd-drop,twoftpd-switch,twoftpd-xfer name: twolame version: 0.3.13-3 commands: twolame name: tworld version: 1.3.2-3 commands: tworld name: tworld-data version: 1.3.2-3 commands: c4 name: twpsk version: 4.3-1 commands: twpsk name: txt2html version: 2.51-1 commands: txt2html name: txt2man version: 1.6.0-2 commands: bookman,src2man,txt2man name: txt2pdbdoc version: 1.4.4-8 commands: html2pdbtxt,pdbtxt2html,txt2pdbdoc name: txt2regex version: 0.8-5 commands: txt2regex name: txt2tags version: 2.6-3.1 commands: txt2tags name: txwinrm version: 1.3.3-1 commands: genkrb5conf,typeperf,wecutil,winrm,winrs name: typecatcher version: 0.3-1 commands: typecatcher name: typespeed version: 0.6.5-2.1build2 commands: typespeed name: tz-converter version: 1.0.1-1 commands: tz-converter name: tzc version: 2.6.15-5.4 commands: tzc name: tzwatch version: 1.4.4-11 commands: tzwatch name: u-boot-menu version: 2 commands: u-boot-update name: u1db-tools version: 13.10-6.2 commands: u1db-client,u1db-serve name: u2f-host version: 1.1.4-1 commands: u2f-host name: u2f-server version: 1.1.0-1build1 commands: u2f-server name: uanytun version: 0.3.6-2 commands: uanytun name: uapevent version: 1.4-2build1 commands: uapevent name: uaputl version: 1.12-2.1build1 commands: uaputl name: ubertooth version: 2017.03.R2-2 commands: ubertooth-afh,ubertooth-btle,ubertooth-debug,ubertooth-dfu,ubertooth-dump,ubertooth-ego,ubertooth-follow,ubertooth-rx,ubertooth-scan,ubertooth-specan,ubertooth-specan-ui,ubertooth-util name: ubiquity-frontend-kde version: 18.04.14 commands: ubiquity-qtsetbg name: ubumirror version: 0.5 commands: ubuarchive,ubucdimage,ubucloudimage,ubuports,uburelease name: ubuntu-app-launch version: 0.12+17.04.20170404.2-0ubuntu6 commands: snappy-xmir,snappy-xmir-envvars name: ubuntu-app-launch-tools version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-info,ubuntu-app-launch,ubuntu-app-launch-appids,ubuntu-app-list,ubuntu-app-list-pids,ubuntu-app-pid,ubuntu-app-stop,ubuntu-app-triplet,ubuntu-app-usage,ubuntu-app-watch,ubuntu-helper-list,ubuntu-helper-start,ubuntu-helper-stop name: ubuntu-app-test version: 0.12+17.04.20170404.2-0ubuntu6 commands: ubuntu-app-test name: ubuntu-defaults-builder version: 0.57 commands: dh_ubuntu_defaults,ubuntu-defaults-image,ubuntu-defaults-template name: ubuntu-dev-tools version: 0.164 commands: 404main,backportpackage,bitesize,check-mir,check-symbols,cowbuilder-dist,dch-repeat,grab-merge,grep-merges,hugdaylist,import-bug-from-debian,merge-changelog,mk-sbuild,pbuilder-dist,pbuilder-dist-simple,pull-debian-debdiff,pull-debian-source,pull-lp-source,pull-revu-source,pull-uca-source,requestbackport,requestsync,reverse-build-depends,reverse-depends,seeded-in-ubuntu,setup-packaging-environment,sponsor-patch,submittodebian,syncpackage,ubuntu-build,ubuntu-iso,ubuntu-upload-permission,update-maintainer name: ubuntu-developer-tools-center version: 16.11.1ubuntu1 commands: udtc name: ubuntu-kylin-software-center version: 1.3.14 commands: ubuntu-kylin-software-center,ubuntu-kylin-software-center-daemon name: ubuntu-kylin-wizard version: 17.04.0 commands: ubuntu-kylin-wizard name: ubuntu-make version: 16.11.1ubuntu1 commands: umake name: ubuntu-mate-default-settings version: 18.04.17 commands: caja-dropbox-autostart,mate-open name: ubuntu-mate-welcome version: 18.10.0 commands: ubuntu-mate-welcome-launcher name: ubuntu-online-tour version: 0.11-0ubuntu4 commands: ubuntu-online-tour-checker name: ubuntu-release-upgrader-qt version: 1:18.04.17 commands: kubuntu-devel-release-upgrade name: ubuntu-vm-builder version: 0.12.4+bzr494-0ubuntu1 commands: ubuntu-vm-builder name: ubuntuone-dev-tools version: 13.10-0ubuntu6 commands: u1lint,u1trial name: ubuntustudio-controls version: 1.4 commands: ubuntustudio-controls,ubuntustudio-controls-pkexec name: ubuntustudio-installer version: 0.01 commands: ubuntustudio-installer name: uc-echo version: 1.12-9build1 commands: uc-echo name: ucarp version: 1.5.2-2.1 commands: ucarp name: ucblogo version: 6.0+dfsg-2 commands: logo,ucblogo name: uchardet version: 0.0.6-2 commands: uchardet name: uci2wb version: 2.3-1 commands: uci2wb name: ucimf version: 2.3.8-8 commands: ucimf_keyboard,ucimf_start name: uck version: 2.4.7-0ubuntu2 commands: uck-gui,uck-remaster,uck-remaster-chroot-rootfs,uck-remaster-clean,uck-remaster-clean-all,uck-remaster-finalize-alternate,uck-remaster-mount,uck-remaster-pack-initrd,uck-remaster-pack-iso,uck-remaster-pack-rootfs,uck-remaster-prepare-alternate,uck-remaster-remove-win32-files,uck-remaster-umount,uck-remaster-unpack-initrd,uck-remaster-unpack-iso,uck-remaster-unpack-rootfs name: ucommon-utils version: 7.0.0-12 commands: args,car,keywait,mdsum,pdetach,scrub-files,sockaddr,urlout,zerofill name: ucrpf1host version: 0.0.20170617-1 commands: ucrpf1host name: ucspi-proxy version: 0.99-1.1 commands: ucspi-proxy,ucspi-proxy-http-xlate,ucspi-proxy-imap,ucspi-proxy-log,ucspi-proxy-pop3 name: ucspi-tcp version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-tcp-ipv6 version: 1:0.88-3.1 commands: addcr,argv0,date@,delcr,finger@,fixcrio,http@,mconnect,mconnect-io,rblsmtpd,recordio,tcpcat,tcpclient,tcprules,tcprulescheck,tcpserver,who@ name: ucspi-unix version: 1.0-0.1 commands: unixcat,unixclient,unixserver name: ucto version: 0.9.6-1build2 commands: ucto name: udav version: 2.4.1-2build2 commands: udav name: udevil version: 0.4.4-2 commands: devmon,udevil name: udfclient version: 0.8.8-1 commands: cd_disect,cd_sessions,mmc_format,newfs_udf,udfclient,udfdump name: udftools version: 2.0-2 commands: cdrwtool,mkfs.udf,mkudffs,pktsetup,udfinfo,udflabel,wrudf name: udhcpc version: 1:1.27.2-2ubuntu3 commands: udhcpc name: udhcpd version: 1:1.27.2-2ubuntu3 commands: dumpleases,udhcpd name: udiskie version: 1.7.3-1 commands: udiskie,udiskie-info,udiskie-mount,udiskie-umount name: udj-desktop-client version: 0.6.3-1build2 commands: UDJ,udj name: udns-utils version: 0.4-1build1 commands: dnsget,rblcheck name: udo version: 6.4.1-4 commands: udo name: udpcast version: 20120424-2 commands: udp-receiver,udp-sender name: udptunnel version: 1.1-5 commands: udptunnel name: udunits-bin version: 2.2.26-1 commands: udunits2 name: ufiformat version: 0.9.9-1build1 commands: ufiformat name: ufo2otf version: 0.2.2-1 commands: ufo2otf name: ufoai version: 2.5-3 commands: ufoai name: ufoai-server version: 2.5-3 commands: ufoai-server name: ufoai-tools version: 2.5-3 commands: ufo2map,ufomodel,ufoslicer name: ufoai-uforadiant version: 2.5-3 commands: uforadiant name: ufod version: 0.15.1-1 commands: ufod name: ufraw version: 0.22-3 commands: nikon-curve,ufraw name: ufraw-batch version: 0.22-3 commands: ufraw-batch name: uftp version: 4.9.5-1 commands: uftp,uftp_keymgt,uftpd,uftpproxyd name: uget version: 2.2.0-1build1 commands: uget-gtk,uget-gtk-1to2 name: uhd-host version: 3.10.3.0-2 commands: octoclock_firmware_burner,uhd_cal_rx_iq_balance,uhd_cal_tx_dc_offset,uhd_cal_tx_iq_balance,uhd_config_info,uhd_find_devices,uhd_image_loader,uhd_images_downloader,uhd_usrp_probe,usrp2_card_burner,usrp_n2xx_simple_net_burner,usrp_x3xx_fpga_burner name: uhome version: 1.3-0ubuntu1 commands: .nest-away.sh.swp,nest-away,nest-away.broke,nest-away.sh,nest-home,nest-update,uhome name: uhub version: 0.4.1-3.1ubuntu2 commands: uhub,uhub-passwd name: ui-auto version: 1.2.10-1 commands: ui-auto-env,ui-auto-release,ui-auto-release-multi,ui-auto-rsign,ui-auto-shell,ui-auto-sp2ui,ui-auto-ubs,ui-auto-update,ui-auto-uvc,ui-auto-version name: uiautomatorviewer version: 2.0.0-1 commands: uiautomatorviewer name: uicilibris version: 1.13-1 commands: uicilibris name: uif version: 1.1.8-2 commands: uif name: uil version: 2.3.8-2build1 commands: uil name: uima-utils version: 2.10.1-2 commands: annotationViewer,cpeGui,documentAnalyzer,jcasgen,runAE,runPearInstaller,runPearMerger,runPearPackager,validateDescriptor name: uisp version: 20050207-4.2ubuntu2 commands: uisp name: ukopp version: 4.9-1build1 commands: ukopp name: ukui-control-center version: 1.1.3-0ubuntu1 commands: ukui-control-center,ukui-display-properties-install-systemwide name: ukui-media version: 1.1.2-0ubuntu1 commands: ukui-volume-control,ukui-volume-control-applet name: ukui-menu version: 1.1.3-0ubuntu1 commands: ukui-menu,ukui-menu-editor name: ukui-panel version: 1.1.3-0ubuntu1 commands: ukui-desktop-item-edit,ukui-panel,ukui-panel-test-applets name: ukui-power-manager version: 1.1.1-0ubuntu1 commands: ukui-power-backlight-helper,ukui-power-manager,ukui-power-preferences,ukui-power-statistics name: ukui-screensaver version: 1.1.2-0ubuntu1 commands: ukui-screensaver,ukui-screensaver-command,ukui-screensaver-preferences name: ukui-session-manager version: 1.1.2-0ubuntu1 commands: ukui-session,ukui-session-inhibit,ukui-session-properties,ukui-session-save,ukui-wm,x-session-manager name: ukui-settings-daemon version: 1.1.6-0ubuntu1 commands: ukui-settings-daemon,usd-datetime-mechanism,usd-locate-pointer name: ukui-window-switch version: 1.1.1-0ubuntu1 commands: ukui-window-switch name: ukwm version: 1.1.8-0ubuntu1 commands: ukwm,x-window-manager name: ulatency version: 0.5.0-9build1 commands: run-game,run-single-task,ulatency,ulatency-gui name: ulatencyd version: 0.5.0-9build1 commands: ulatencyd name: uligo version: 0.3-7 commands: uligo name: ulogd2 version: 2.0.5-5 commands: ulogd name: ultracopier version: 1.4.0.6-2 commands: ultracopier name: umbrello version: 4:17.12.3-0ubuntu2 commands: po2xmi5,umbrello5,xmi2pot5 name: umegaya version: 1.0 commands: umegaya-adm,umegaya-ddc-ping,umegaya-guess-url name: uml-utilities version: 20070815.1-2build1 commands: humfsify,jail_uml,jailtest,tunctl,uml_mconsole,uml_mkcow,uml_moo,uml_mount,uml_net,uml_switch,uml_watchdog name: umlet version: 13.3-1.1 commands: umlet name: umockdev version: 0.11.1-1 commands: umockdev-record,umockdev-run,umockdev-wrapper name: ums2net version: 0.1.3-1 commands: ums2net name: unaccent version: 1.8.0-8 commands: unaccent name: unace version: 1.2b-16 commands: unace name: unadf version: 0.7.11a-4 commands: unadf name: unagi version: 0.3.4-1ubuntu4 commands: unagi name: unalz version: 0.65-6 commands: unalz name: unar version: 1.10.1-2build3 commands: lsar,unar name: unbound version: 1.6.7-1ubuntu2 commands: unbound,unbound-checkconf,unbound-control,unbound-control-setup name: unbound-anchor version: 1.6.7-1ubuntu2 commands: unbound-anchor name: unbound-host version: 1.6.7-1ubuntu2 commands: unbound-host name: unburden-home-dir version: 0.4.1 commands: unburden-home-dir name: unclutter version: 8-21 commands: unclutter name: uncrustify version: 0.66.1+dfsg1-1 commands: uncrustify name: undbx version: 0.21-1 commands: undbx name: undertaker version: 1.6.1-4.1build3 commands: busyfix,fakecc,golem,predator,rsf2cnf,rsf2model,satyr,undertaker,undertaker-busybox-tree,undertaker-calc-coverage,undertaker-checkpatch,undertaker-coreboot-tree,undertaker-kconfigdump,undertaker-kconfigpp,undertaker-linux-tree,undertaker-scan-head,undertaker-tailor,undertaker-tracecontrol,undertaker-tracecontrol-prepare-debian,undertaker-tracecontrol-prepare-ubuntu,undertaker-traceutil,vampyr,vampyr-spatch-wrapper,zizler name: undertime version: 1.2.0 commands: undertime name: unhide version: 20130526-1 commands: unhide,unhide-linux,unhide-posix,unhide-tcp,unhide_rb name: unhide.rb version: 22-2 commands: unhide.rb name: unhtml version: 2.3.9-4 commands: unhtml name: uni2ascii version: 4.18-2build1 commands: ascii2uni,uni2ascii name: unicode version: 2.4 commands: paracode,unicode name: uniconf-tools version: 4.6.1-11 commands: uni name: uniconfd version: 4.6.1-11 commands: uniconfd name: unicorn version: 5.4.0-1build1 commands: unicorn,unicorn_rails name: unifdef version: 2.10-1.1 commands: unifdef,unifdefall name: unifont-bin version: 1:10.0.07-1 commands: bdfimplode,hex2bdf,hex2sfd,hexbraille,hexdraw,hexkinya,hexmerge,johab2ucs2,unibdf2hex,unibmp2hex,unicoverage,unidup,unifont-viewer,unifont1per,unifontchojung,unifontksx,unifontpic,unigencircles,unigenwidth,unihex2bmp,unihex2png,unihexfill,unihexgen,unipagecount,unipng2hex name: unionfs-fuse version: 1.0-1ubuntu2 commands: mount.unionfs,unionfs,unionfs-fuse,unionfsctl name: unison version: 2.48.4-1ubuntu1 commands: unison,unison-2.48,unison-2.48.4,unison-gtk,unison-latest-stable name: unison-gtk version: 2.48.4-1ubuntu1 commands: unison,unison-2.48-gtk,unison-2.48.4-gtk,unison-gtk,unison-latest-stable-gtk name: units version: 2.16-1 commands: units,units_cur name: units-filter version: 3.7-3build1 commands: units-filter name: unity version: 7.5.0+18.04.20180413-0ubuntu1 commands: unity name: unity-control-center version: 15.04.0+18.04.20180216-0ubuntu1 commands: bluetooth-wizard,unity-control-center name: unity-greeter version: 18.04.0+18.04.20180314.1-0ubuntu2 commands: unity-greeter name: unity-mail version: 1.7.5.1 commands: unity-mail,unity-mail-clear,unity-mail-reset,unity-mail-settings,unity-mail-url name: unity-settings-daemon version: 15.04.1+18.04.20180413-0ubuntu1 commands: unity-settings-daemon name: unity-tweak-tool version: 0.0.7ubuntu4 commands: unity-tweak-tool name: uniutils version: 2.27-2build1 commands: ExplicateUTF8,unidesc,unifuzz,unihist,uniname,unireverse,utf8lookup name: universalindentgui version: 1.2.0-1.1 commands: universalindentgui name: unixodbc version: 2.3.4-1.1ubuntu3 commands: isql,iusql name: unixodbc-bin version: 2.3.0-4build1 commands: ODBCCreateDataSourceQ4,ODBCManageDataSourcesQ4 name: unknown-horizons version: 2017.2-1 commands: unknown-horizons name: unlambda version: 0.1.4.2-2build1 commands: unlambda name: unmass version: 0.9-3.1build1 commands: unmass name: unmo3 version: 0.6-2 commands: unmo3 name: unoconv version: 0.7-1.1 commands: doc2odt,doc2pdf,odp2pdf,odp2ppt,ods2pdf,odt2bib,odt2doc,odt2docbook,odt2html,odt2lt,odt2pdf,odt2rtf,odt2sdw,odt2sxw,odt2txt,odt2txt.unoconv,odt2xhtml,odt2xml,ooxml2doc,ooxml2odt,ooxml2pdf,ppt2odp,sdw2odt,sxw2odt,unoconv,xls2ods name: unp version: 2.0~pre7+nmu1 commands: ucat,unp name: unpaper version: 6.1-2 commands: unpaper name: unrar-free version: 1:0.0.1+cvs20140707-4 commands: unrar,unrar-free name: unrtf version: 0.21.9-clean-3 commands: unrtf name: unscd version: 0.52-2build1 commands: nscd name: unshield version: 1.4.2-1 commands: unshield name: unsort version: 1.2.1-1build1 commands: unsort name: untex version: 1:1.2-6 commands: untex name: unworkable version: 0.53-4build2 commands: unworkable name: unyaffs version: 0.9.6-1build1 commands: unyaffs name: upgrade-system version: 1.7.3.0 commands: upgrade-system name: uphpmvault version: 0.8build1 commands: uphpmvault name: upnp-router-control version: 0.2-1.2build1 commands: upnp-router-control name: uprightdiff version: 1.3.0-1 commands: uprightdiff name: upse123 version: 1.0.0-2build1 commands: upse123 name: upslug2 version: 11-4 commands: upslug2 name: uptimed version: 1:0.4.0+git20150923.6b22106-2 commands: uprecords,uptimed name: upx-ucl version: 3.94-4 commands: upx-ucl name: urjtag version: 0.10+r2007-1.2build1 commands: bsdl2jtag,jtag name: url-dispatcher version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher-dump name: url-dispatcher-tools version: 0.1+17.04.20170328-0ubuntu4 commands: url-dispatcher name: urlscan version: 0.8.2-1 commands: urlscan name: urlview version: 0.9-20build1 commands: urlview name: urlwatch version: 2.8-2 commands: urlwatch name: uronode version: 2.8.1-1 commands: axdigi,calibrate,flexd,nodeusers,uronode name: uruk version: 20160219-1 commands: uruk,uruk-save,urukctl name: usbauth version: 1.0~git20180214-1 commands: usbauth name: usbauth-notifier version: 1.0~git20180226-1 commands: usbauth-npriv name: usbguard version: 0.7.2+ds-1 commands: usbguard,usbguard-daemon,usbguard-dbus name: usbguard-applet-qt version: 0.7.2+ds-1 commands: usbguard-applet-qt name: usbprog version: 0.2.0-2.2build1 commands: usbprog name: usbprog-gui version: 0.2.0-2.2build1 commands: usbprog-gui name: usbredirserver version: 0.7.1-1 commands: usbredirserver name: usbrelay version: 0.2-1build1 commands: usbrelay name: usbview version: 2.0-21-g6fe2f4f-1ubuntu1 commands: usbview name: usepackage version: 1.13-3 commands: usepackage name: userinfo version: 2.5-4 commands: ui name: usermode version: 1.109-1build1 commands: consolehelper,consolehelper-gtk,userhelper,userinfo,usermount,userpasswd name: userv version: 1.2.0 commands: userv,uservd name: ussp-push version: 0.11-4 commands: ussp-push name: utalk version: 1.0.1.beta-8build2 commands: utalk name: utf8-migration-tool version: 0.5.9 commands: utf8migrationtool name: utfout version: 0.0.1-1build1 commands: utfout name: util-vserver version: 0.30.216-pre3120-1.4 commands: chbind,chcontext,chxid,exec-cd,lsxid,naddress,nattribute,ncontext,reducecap,setattr,showattr,vapt-get,vattribute,vcontext,vdevmap,vdispatch-conf,vdlimit,vdu,vemerge,vesync,vhtop,viotop,vkill,vlimit,vmemctrl,vmount,vnamespace,vps,vpstree,vrpm,vrsetup,vsched,vserver,vserver-info,vserver-stat,vshelper,vsomething,vspace,vtag,vtop,vuname,vupdateworld,vurpm,vwait,vyum name: utop version: 1.19.3-2build1 commands: utop,utop-full name: uuagc version: 0.9.42.3-10build1 commands: uuagc name: uucp version: 1.07-24 commands: in.uucpd,uucico,uucp,uulog,uuname,uupick,uupoll,uurate,uusched,uustat,uuto,uux,uuxqt name: uudeview version: 0.5.20-9 commands: uudeview,uuenview name: uuid version: 1.6.2-1.5build4 commands: uuid name: uuidcdef version: 0.3.13-7 commands: uuidcdef name: uvccapture version: 0.5-4 commands: uvccapture name: uvcdynctrl version: 0.2.4-1.1ubuntu2 commands: uvcdynctrl,uvcdynctrl-0.2.4 name: uvtool-libvirt version: 0~git140-0ubuntu1 commands: uvt-kvm,uvt-simplestreams-libvirt name: uw-mailutils version: 8:2007f~dfsg-5build1 commands: dmail,mailutil,tmail name: uwsgi-core version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi-core name: uwsgi-dev version: 2.0.15-10.2ubuntu2 commands: dh_uwsgi name: uwsgi-plugin-alarm-curl version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_curl name: uwsgi-plugin-alarm-xmpp version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_alarm_xmpp name: uwsgi-plugin-curl-cron version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_curl_cron name: uwsgi-plugin-emperor-pg version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_emperor_pg name: uwsgi-plugin-gccgo version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_gccgo name: uwsgi-plugin-geoip version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_geoip name: uwsgi-plugin-glusterfs version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_glusterfs name: uwsgi-plugin-graylog2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_graylog2 name: uwsgi-plugin-jvm-openjdk-8 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_jvm,uwsgi_jvm_openjdk8 name: uwsgi-plugin-ldap version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_ldap name: uwsgi-plugin-lua5.1 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua51 name: uwsgi-plugin-lua5.2 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_lua,uwsgi_lua52 name: uwsgi-plugin-mono version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_,uwsgi_mono name: uwsgi-plugin-php version: 2.0.15+10.1+0.0.3 commands: uwsgi,uwsgi_php name: uwsgi-plugin-psgi version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_psgi name: uwsgi-plugin-python version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python,uwsgi_python27 name: uwsgi-plugin-python3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_python3,uwsgi_python36 name: uwsgi-plugin-rack-ruby2.5 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rack,uwsgi_rack_ruby25 name: uwsgi-plugin-rados version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_rados name: uwsgi-plugin-router-access version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_router_access name: uwsgi-plugin-sqlite3 version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_sqlite3 name: uwsgi-plugin-xslt version: 2.0.15-10.2ubuntu2 commands: uwsgi,uwsgi_xslt name: v-sim version: 3.7.2-5 commands: v_sim name: v4l-conf version: 3.103-4build1 commands: v4l-conf,v4l-info name: v4l-utils version: 1.14.2-1 commands: cec-compliance,cec-ctl,cec-follower,cx18-ctl,decode_tm6000,ir-ctl,ivtv-ctl,media-ctl,rds-ctl,v4l2-compliance,v4l2-ctl,v4l2-dbg,v4l2-sysfs-path name: v4l2loopback-utils version: 0.10.0-1ubuntu1 commands: v4l2loopback-ctl name: v4l2ucp version: 2.0.2-4build1 commands: v4l2ctrl,v4l2ucp name: vacation version: 3.3.1ubuntu2 commands: vacation name: vagalume version: 0.8.6-2 commands: vagalume,vagalumectl name: vagrant version: 2.0.2+dfsg-2ubuntu8 commands: dh_vagrant_plugin,vagrant name: vainfo version: 2.1.0+ds1-1 commands: vainfo name: vala-dbus-binding-tool version: 0.4.0-3 commands: vala-dbus-binding-tool name: vala-panel version: 0.3.65-0ubuntu1 commands: vala-panel,vala-panel-runner name: vala-terminal version: 1.3-6build1 commands: vala-terminal,x-terminal-emulator name: valabind version: 1.5.0-2 commands: valabind,valabind-cc name: valac version: 0.40.4-1 commands: vala,vala-0.40,vala-gen-introspect,vala-gen-introspect-0.40,valac,valac-0.40,vapigen,vapigen-0.40 name: valadoc version: 0.40.4-1 commands: valadoc,valadoc-0.40 name: validns version: 0.8+git20160720-3 commands: validns name: valkyrie version: 2.0.0-1build1 commands: valkyrie name: vamp-examples version: 2.7.1~repack0-1 commands: vamp-rdf-template-generator,vamp-simple-host name: vamps version: 0.99.2-4build1 commands: play_cell,vamps name: variety version: 0.6.7-1 commands: variety name: varmon version: 1.2.1-1build2 commands: varmon name: varnish version: 5.2.1-1 commands: varnishadm,varnishd,varnishhist,varnishlog,varnishncsa,varnishstat,varnishtest,varnishtop name: vbackup version: 1.0.1-1 commands: vbackup,vbackup-wizard name: vbaexpress version: 1.2-0ubuntu6 commands: vbaexpress name: vbindiff version: 3.0-beta5-1 commands: vbindiff name: vblade version: 23-1 commands: vblade,vbladed name: vblade-persist version: 0.6-3 commands: vblade-persist name: vbrfix version: 0.24+dfsg-1 commands: vbrfix name: vcdimager version: 0.7.24+dfsg-1 commands: cdxa2mpeg,vcd-info,vcdimager,vcdxbuild,vcdxgen,vcdxminfo,vcdxrip name: vcftools version: 0.1.15-1 commands: fill-aa,fill-an-ac,fill-fs,fill-ref-md5,vcf-annotate,vcf-compare,vcf-concat,vcf-consensus,vcf-contrast,vcf-convert,vcf-fix-newlines,vcf-fix-ploidy,vcf-indel-stats,vcf-isec,vcf-merge,vcf-phased-join,vcf-query,vcf-shuffle-cols,vcf-sort,vcf-stats,vcf-subset,vcf-to-tab,vcf-tstv,vcf-validator,vcftools name: vcheck version: 1.2.1-7.1 commands: vcheck name: vclt-tools version: 0.1.4-6 commands: dir2vclt,metaflac2time,mp32vclt,xiph2vclt name: vcsh version: 1.20151229-1 commands: vcsh name: vde2 version: 2.3.2+r586-2.1build1 commands: dpipe,slirpvde,unixcmd,unixterm,vde_autolink,vde_l3,vde_over_ns,vde_pcapplug,vde_plug,vde_plug2tap,vde_switch,vde_tunctl,vdeq,vdeterm,wirefilter name: vde2-cryptcab version: 2.3.2+r586-2.1build1 commands: vde_cryptcab name: vdesk version: 1.2-5 commands: vdesk name: vdetelweb version: 1.2.1-1ubuntu2 commands: vdetelweb name: vdirsyncer version: 0.16.2-4 commands: vdirsyncer name: vdmfec version: 1.0-2build1 commands: vdm_decode,vdm_encode,vdmfec name: vdpauinfo version: 1.0-3 commands: vdpauinfo name: vdr version: 2.3.8-2 commands: svdrpsend,vdr name: vdr-dev version: 2.3.8-2 commands: debianize-vdrplugin,dh_vdrplugin_depends,dh_vdrplugin_enable,vdr-newplugin name: vdr-genindex version: 0.1.3-1ubuntu2 commands: genindex name: vdr-plugin-epgsearch version: 2.2.0+git20170817-1 commands: createcats name: vdr-plugin-xine version: 0.9.4-14build1 commands: xineplayer name: vdradmin-am version: 3.6.10-4 commands: vdradmind name: vectoroids version: 1.1.0-13build1 commands: vectoroids name: velvet version: 1.2.10+dfsg1-3build1 commands: velvetg,velvetg_de,velveth,velveth_de name: velvet-long version: 1.2.10+dfsg1-3build1 commands: velvetg_63,velvetg_63_long,velvetg_long,velveth_63,velveth_63_long,velveth_long name: velvetoptimiser version: 2.2.6-1 commands: velvetoptimiser name: vera++ version: 1.2.1-2build6 commands: vera++ name: verbiste version: 0.1.44-1 commands: french-conjugator,french-deconjugator name: verbiste-gnome version: 0.1.44-1 commands: verbiste name: verilator version: 3.916-1build1 commands: verilator,verilator_bin,verilator_bin_dbg,verilator_coverage,verilator_coverage_bin_dbg,verilator_profcfunc name: verse version: 0.22.7build1 commands: verse,verse-dialog name: veusz version: 1.21.1-1.3 commands: veusz,veusz_listen name: vflib3 version: 3.6.14.dfsg-3+nmu4 commands: update-vflibcap name: vflib3-bin version: 3.6.14.dfsg-3+nmu4 commands: ctext2pgm,hyakubm,hyakux11,vfl2bdf,vflbanner,vfldisol,vfldrvs,vflmkajt,vflmkcaptex,vflmkekan,vflmkfdb,vflmkgf,vflmkjpc,vflmkpcf,vflmkpk,vflmkt1,vflmktex,vflmktfm,vflmkttf,vflmkvf,vflmkvfl,vflpp,vflserver,vfltest,vflx11 name: vflib3-dev version: 3.6.14.dfsg-3+nmu4 commands: VFlib3-config name: vfu version: 4.16+repack-1 commands: vfu name: vgrabbj version: 0.9.9-2 commands: vgrabbj name: videogen version: 0.33-4 commands: some_modes,videogen name: videoporama version: 0.8.1-0ubuntu7 commands: videoporama name: viewmol version: 2.4.1-24 commands: viewmol name: viewnior version: 1.6-1build1 commands: viewnior name: viewpdf.app version: 1:0.2dfsg1-6build1 commands: ViewPDF name: viewvc version: 1.1.26-1 commands: viewvc-standalone name: viewvc-query version: 1.1.26-1 commands: viewvc-cvsdbadmin,viewvc-loginfo-handler,viewvc-make-database,viewvc-svndbadmin name: vifm version: 0.9.1-1 commands: vifm,vifm-convert-dircolors,vifm-pause,vifm-screen-split name: vigor version: 0.016-26 commands: vigor name: viking version: 1.6.2-3build1 commands: viking name: vile version: 9.8s-5 commands: editor,vi,view,vile name: vile-common version: 9.8s-5 commands: vileget name: vilistextum version: 2.6.9-1.1build1 commands: vilistextum name: vim-addon-manager version: 0.5.7 commands: vam,vim-addon-manager,vim-addons name: vim-athena version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.athena,vimdiff name: vim-gtk version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.gtk,vimdiff name: vim-nox version: 2:8.0.1453-1ubuntu1 commands: editor,eview,evim,ex,gview,gvim,gvimdiff,rgview,rgvim,rview,rvim,vi,view,vim,vim.nox,vimdiff name: vim-scripts version: 20130814ubuntu1 commands: dtd2vim,vimplate name: vim-vimoutliner version: 0.3.4+pristine-9.3 commands: otl2docbook,otl2html,otl2pdb,vo_maketags name: vinagre version: 3.22.0-5 commands: vinagre name: vinetto version: 1:0.07-7 commands: vinetto name: virt-goodies version: 0.4-2.1 commands: vmware2libvirt name: virt-manager version: 1:1.5.1-0ubuntu1 commands: virt-manager name: virt-sandbox version: 0.5.1+git20160404-1 commands: virt-sandbox,virt-sandbox-image name: virt-top version: 1.0.8-1 commands: virt-top name: virt-viewer version: 6.0-2 commands: remote-viewer,spice-xpi-client,virt-viewer name: virt-what version: 1.18-2 commands: virt-what name: virtaal version: 0.7.1-5 commands: virtaal name: virtinst version: 1:1.5.1-0ubuntu1 commands: virt-clone,virt-convert,virt-install,virt-xml name: virtualenv version: 15.1.0+ds-1.1 commands: virtualenv name: virtualenv-clone version: 0.2.5-1 commands: virtualenv-clone name: virtualjaguar version: 2.1.3-2 commands: virtualjaguar name: virtuoso-opensource-6.1-bin version: 6.1.6+repack-0ubuntu9 commands: isql-vt,isqlw-vt,virt_mail,virtuoso-t name: virtuoso-opensource-6.1-common version: 6.1.6+repack-0ubuntu9 commands: inifile name: viruskiller version: 1.03-1+dfsg1-2 commands: viruskiller name: vis version: 0.4-2 commands: editor,vi,vis,vis-clipboard,vis-complete,vis-digraph,vis-menu,vis-open name: visidata version: 1.0-1 commands: vd name: visolate version: 2.1.6~svn8+dfsg1-1.1 commands: visolate name: vistrails version: 2.2.4-1build1 commands: vistrails name: visual-regexp version: 3.2-0ubuntu1 commands: visual-regexp name: visualboyadvance version: 1.8.0.dfsg-5 commands: VisualBoyAdvance,vba name: visualvm version: 1.3.9-1 commands: visualvm name: vit version: 1.2-4 commands: vit name: vitables version: 2.1-1 commands: vitables name: vite version: 1.2+svn1430-6 commands: vite name: viva version: 1.2-1.1 commands: viva,vv_treemap name: vizigrep version: 1.3-1 commands: vizigrep name: vkeybd version: 1:0.1.18d-2.1 commands: sftovkb,vkeybd name: vlc-bin version: 3.0.1-3build1 commands: cvlc,nvlc,rvlc,vlc,vlc-wrapper name: vlc-plugin-qt version: 3.0.1-3build1 commands: qvlc name: vlc-plugin-skins2 version: 3.0.1-3build1 commands: svlc name: vlevel version: 0.5.1-2 commands: vlevel,vlevel-jack name: vlock version: 2.2.2-8 commands: vlock,vlock-main name: vlogger version: 1.3-4 commands: vlogger name: vmdb2 version: 0.12-1 commands: vmdb2 name: vmdebootstrap version: 1.9-1 commands: vmdebootstrap name: vmfs-tools version: 0.2.5-1build1 commands: debugvmfs,fsck.vmfs,vmfs-fuse,vmfs-lvm name: vmm version: 0.6.2-2 commands: vmm name: vmpk version: 0.4.0-3build1 commands: vmpk name: vmtouch version: 1.3.0-1 commands: vmtouch name: vnc4server version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: Xvnc4,vnc4config,vnc4passwd,vnc4server,x0vnc4server name: vncsnapshot version: 1.2a-5.1build1 commands: vncsnapshot name: vnstat version: 1.18-1 commands: vnstat,vnstatd name: vnstati version: 1.18-1 commands: vnstati name: vobcopy version: 1.2.0-7 commands: vobcopy name: voctomix-core version: 1.0+git4-1 commands: voctocore name: voctomix-gui version: 1.0+git4-1 commands: voctogui name: voctomix-outcasts version: 0.5.0-3 commands: voctolight,voctomix-generate-cut-list,voctomix-ingest,voctomix-record-mixed-av,voctomix-record-timestamp name: vodovod version: 1.10-4 commands: vodovod name: vokoscreen version: 2.5.0-1build1 commands: vokoscreen name: volatility version: 2.6+git20170711.b3db0cc-1 commands: volatility name: volti version: 0.2.3-7 commands: volti,volti-mixer,volti-remote name: voltron version: 0.1.4-2 commands: voltron name: volume-key version: 0.3.9-4 commands: volume_key name: volumecontrol.app version: 0.6-1build2 commands: VolumeControl name: volumeicon-alsa version: 0.5.1+git20170117-1 commands: volumeicon name: voms-clients version: 2.1.0~rc0-4 commands: voms-proxy-destroy,voms-proxy-destroy2,voms-proxy-fake,voms-proxy-info,voms-proxy-info2,voms-proxy-init,voms-proxy-init2,voms-proxy-list,voms-verify name: voms-clients-java version: 3.3.0-1 commands: voms-proxy-destroy,voms-proxy-destroy3,voms-proxy-info,voms-proxy-info3,voms-proxy-init,voms-proxy-init3 name: voms-server version: 2.1.0~rc0-4 commands: voms name: vor version: 0.5.7-2 commands: vor name: vorbis-tools version: 1.4.0-10.1 commands: ogg123,oggdec,oggenc,ogginfo,vcut,vorbiscomment,vorbistagedit name: vorbisgain version: 0.37-2build1 commands: vorbisgain name: voro++ version: 0.4.6+dfsg1-2 commands: voro++ name: voronota version: 1.18.1877-1 commands: voronota,voronota-cadscore,voronota-contacts,voronota-resources,voronota-volumes,voronota-voromqa name: votca-csg version: 1.4.1-1build1 commands: csg_boltzmann,csg_call,csg_density,csg_dlptopol,csg_dump,csg_fmatch,csg_gmxtopol,csg_imcrepack,csg_inverse,csg_map,csg_property,csg_resample,csg_reupdate,csg_stat name: voxbo version: 1.8.5~svn1246-2ubuntu2 commands: vbview2 name: vpb-utils version: 4.2.59-2 commands: dtmfcheck,measerl,playwav,proslicerl,raw2wav,recwav,ringstat,tonedebug,tonegen,tonetrain,vdaaerl,vpbecho name: vpcs version: 0.5b2-1 commands: vpcs name: vpnc version: 0.5.3r550-3 commands: cisco-decrypt,pcf2vpnc,vpnc,vpnc-connect,vpnc-disconnect name: vprerex version: 1:6.5.1-1 commands: vprerex name: vpx-tools version: 1.7.0-3 commands: vpxdec,vpxenc name: vramsteg version: 1.1.0-1build1 commands: vramsteg name: vrfy version: 990522-10 commands: vrfy name: vrfydmn version: 0.9.1-1 commands: vrfydmn name: vrms version: 1.20 commands: vrms name: vrrpd version: 1.0-2build1 commands: vrrpd name: vsd2odg version: 0.9.6-1 commands: vsd2odg name: vsdump version: 0.0.45-1build1 commands: vsdump name: vstream-client version: 1.2-6.1ubuntu2 commands: vstream-client name: vtable-dumper version: 1.2-1 commands: vtable-dumper name: vtgamma version: 0.4-2 commands: vtgamma name: vtgrab version: 0.1.8-3ubuntu2 commands: rvc,rvcd,twiglet name: vtk-dicom-tools version: 0.7.10-1build1 commands: dicomdump,dicomfind,dicompull,dicomtocsv,dicomtodicom,dicomtonifti,niftidump,niftitodicom,scancodump,scancotodicom name: vtk6 version: 6.3.0+dfsg1-11build1 commands: vtk6,vtkEncodeString-6.3,vtkHashSource-6.3,vtkParseOGLExt-6.3,vtkWrapHierarchy-6.3 name: vtk7 version: 7.1.1+dfsg1-2 commands: vtk7,vtkEncodeString-7.1,vtkHashSource-7.1,vtkParseOGLExt-7.1,vtkWrapHierarchy-7.1 name: vtprint version: 2.0.2-13build1 commands: vtprint,vtprtoff,vtprton name: vttest version: 2.7+20140305-3 commands: vttest name: vtun version: 3.0.3-4build1 commands: vtund name: vtwm version: 5.4.7-5build1 commands: vtwm,x-window-manager name: vulkan-utils version: 1.1.70+dfsg1-1 commands: vulkan-smoketest,vulkaninfo name: vulture version: 0.21-1ubuntu1 commands: vulture name: vym version: 2.5.0-2 commands: vym name: vzdump version: 1.2.6-5 commands: vzdump,vzrestore name: vzstats version: 0.5.3-2 commands: vzstats name: w-scan version: 20170107-2 commands: w_scan name: w1retap version: 1.4.4-3 commands: w1find,w1retap,w1sensors name: w2do version: 2.3.1-6 commands: w2do,w2html,w2text name: w3c-linkchecker version: 4.81-9 commands: checklink name: w3cam version: 0.7.2-6.2build1 commands: vidcat,w3camd name: w9wm version: 0.4.2-8build1 commands: w9wm,x-window-manager name: wadc version: 2.2-1 commands: wadc,wadccli name: waffle-utils version: 1.5.2-4 commands: wflinfo name: wafw00f version: 0.9.4-1 commands: wafw00f name: wait-for-it version: 0.0~git20170723-1 commands: wait-for-it name: wajig version: 2.18.1 commands: wajig name: wallch version: 4.0-0ubuntu5 commands: wallch name: wallpaper version: 0.1-1ubuntu1 commands: wallpaper name: wallstreet version: 1.14-0ubuntu1 commands: wallstreet name: wammu version: 0.44-1 commands: wammu,wammu-configure name: wapiti version: 2.3.0+dfsg-6 commands: wapiti,wapiti-cookie,wapiti-getcookie name: wapua version: 0.06.3-1 commands: wApua,wapua,wbmp2xbm name: warmux version: 1:11.04.1+repack2-3 commands: warmux name: warmux-servers version: 1:11.04.1+repack2-3 commands: warmux-index-server,warmux-server name: warzone2100 version: 3.2.1-3 commands: warzone2100 name: watch-maildirs version: 1.2.0-2.2 commands: inputkill,watch_maildirs name: watchcatd version: 1.2.1-3.1 commands: catmaster name: watchdog version: 5.15-2 commands: watchdog,wd_identify,wd_keepalive name: wav2cdr version: 2.3.4-2 commands: wav2cdr name: wavbreaker version: 0.11-1build1 commands: wavbreaker,wavinfo,wavmerge name: wavemon version: 0.8.1-1 commands: wavemon name: wavesurfer version: 1.8.8p4-3ubuntu1 commands: wavesurfer name: wavpack version: 5.1.0-2ubuntu1 commands: wavpack,wvgain,wvtag,wvunpack name: wavtool-pl version: 0.20150501-1build1 commands: wavtool-pl name: wbar version: 2.3.4-7 commands: wbar name: wbar-config version: 2.3.4-7 commands: wbar-config name: wbox version: 5-1build1 commands: wbox name: wcalc version: 2.5-2build2 commands: wcalc name: wcd version: 5.3.4-1build2 commands: wcd.exec name: wcslib-tools version: 5.18-1 commands: HPXcvt,fitshdr,wcsgrid,wcsware name: wcstools version: 3.9.5-2 commands: addpix,bincat,char2sp,conpix,cphead,crlf,delhead,delwcs,edhead,filename,fileroot,filext,fixpix,getcol,getdate,getfits,gethead,getpix,gettab,i2f,imcatalog,imextract,imfill,imhead,immatch,imresize,imrot,imsize,imsmooth,imstack,imstar,imwcs,isfile,isfits,isnum,isrange,keyhead,newfits,scat,sethead,setpix,simpos,sky2xy,skycoor,sp2char,subpix,sumpix,wcshead,wcsremap,xy2sky name: wdm version: 1.28-23 commands: update_wdm_wmlist,wdm,wdmLogin name: weather-util version: 2.3-2 commands: weather,weather-util name: weathermap4rrd version: 1.1.999+1.2rc3-3 commands: weathermap4rrd name: webalizer version: 2.23.08-3 commands: wcmgr,webalizer,webazolver name: webauth-utils version: 4.7.0-6build2 commands: wa_keyring name: webcam version: 3.103-4build1 commands: webcam name: webcamd version: 0.7.6-5.2 commands: webcamd,webcamd-setup name: webcamoid version: 8.1.0+dfsg-7 commands: webcamoid name: webcheck version: 1.10.4-1 commands: webcheck name: webdeploy version: 1.0-2 commands: webdeploy name: webdruid version: 0.5.4-15 commands: webdruid,webdruid-resolve name: webfs version: 1.21+ds1-12 commands: webfsd name: webhook version: 2.5.0-2 commands: webhook name: webhttrack version: 3.49.2-1build1 commands: webhttrack name: webissues version: 1.1.5-2 commands: webissues name: webkit2gtk-driver version: 2.20.1-1 commands: WebKitWebDriver name: weblint-perl version: 2.26+dfsg-1 commands: weblint name: webmagick version: 2.02-11 commands: webmagick name: weboob version: 1.2-1 commands: boobank,boobathon,boobcoming,boobill,booblyrics,boobmsg,boobooks,boobsize,boobtracker,cineoob,comparoob,cookboob,flatboob,galleroob,geolooc,handjoob,havedate,monboob,parceloob,pastoob,radioob,shopoob,suboob,translaboob,traveloob,videoob,webcontentedit,weboorrents,wetboobs name: weboob-qt version: 1.2-1 commands: qbooblyrics,qboobmsg,qcineoob,qcookboob,qflatboob,qhandjoob,qhavedate,qvideoob,qwebcontentedit,weboob-config-qt name: weborf version: 0.14-1 commands: weborf name: webp version: 0.6.1-2 commands: cwebp,dwebp,gif2webp,img2webp,vwebp,webpinfo,webpmux name: webpack version: 3.5.6-2 commands: webpack name: webservice-office-zoho version: 0.4.3-0ubuntu2 commands: webservice-office-zoho name: websockify version: 0.8.0+dfsg1-9 commands: rebind name: websploit version: 3.0.0-2 commands: websploit name: weechat-curses version: 1.9.1-1ubuntu1 commands: weechat,weechat-curses name: weex version: 2.8.3ubuntu2 commands: weex name: weightwatcher version: 1.12+dfsg-1 commands: weightwatcher name: weka version: 3.6.14-1 commands: weka name: weplab version: 0.1.5-4 commands: weplab name: weresync version: 1.0.7-1 commands: weresync,weresync-gui name: werewolf version: 1.5.1.1-8build1 commands: werewolf name: wesnoth-1.12-core version: 1:1.12.6-1build3 commands: wesnoth,wesnoth-1.12,wesnoth-1.12-nolog,wesnoth-1.12-smallgui,wesnoth-1.12_editor name: wesnoth-1.12-server version: 1:1.12.6-1build3 commands: wesnothd-1.12 name: weston version: 3.0.0-1 commands: wcap-decode,weston,weston-info,weston-launch,weston-terminal name: wfrog version: 0.8.2+svn973-1 commands: wfrog name: wfut version: 0.2.3-5 commands: wfut name: wfuzz version: 2.2.9-1 commands: wfuzz name: wget2 version: 0.0.20170806-1 commands: wget2 name: whalebuilder version: 0.5.1 commands: whalebuilder name: what-utils version: 1.5-0ubuntu1 commands: how-many-binary,how-many-source,what-provides,what-repo,what-source name: whatmaps version: 0.0.12-2 commands: whatmaps name: whatweb version: 0.4.9-2 commands: whatweb name: when version: 1.1.37-2 commands: when name: whereami version: 0.3.34-0.4 commands: whereami name: whichman version: 2.4-8build1 commands: ftff,ftwhich,whichman name: whichwayisup version: 0.7.9-5 commands: whichwayisup name: whiff version: 0.005-1 commands: whiff name: whitedb version: 0.7.3-4 commands: wgdb name: whitedune version: 0.30.10-2.1 commands: dune,whitedune name: whohas version: 0.29.1-1 commands: whohas name: whowatch version: 1.8.5-1build1 commands: whowatch name: why version: 2.39-2build1 commands: jessie,krakatoa name: why3 version: 0.88.3-1ubuntu4 commands: why3 name: whyteboard version: 0.41.1-5 commands: whyteboard name: wicd-cli version: 1.7.4+tb2-5 commands: wicd-cli name: wicd-curses version: 1.7.4+tb2-5 commands: wicd-curses name: wicd-daemon version: 1.7.4+tb2-5 commands: wicd name: wicd-gtk version: 1.7.4+tb2-5 commands: wicd-client,wicd-gtk name: wide-dhcpv6-client version: 20080615-19build1 commands: dhcp6c,dhcp6ctl name: wide-dhcpv6-relay version: 20080615-19build1 commands: dhcp6relay name: wide-dhcpv6-server version: 20080615-19build1 commands: dhcp6s name: widelands version: 1:19+repack-4build4 commands: widelands name: widemargin version: 1.1.13-3 commands: widemargin name: wifi-radar version: 2.0.s08+dfsg-2 commands: wifi-radar name: wifite version: 2.0.87+git20170515.918a499-2 commands: wifite name: wigeon version: 20101212+dfsg1-1build1 commands: cm_to_wigeon,wigeon name: wiggle version: 1.0+20140408+git920f58a-2 commands: wiggle name: wiipdf version: 1.4-2build1 commands: wiipdf name: wiki2beamer version: 0.9.5-1 commands: wiki2beamer name: wikipedia2text version: 0.12-1 commands: wikipedia2text,wp2t name: wildmidi version: 0.4.2-1 commands: wildmidi name: wily version: 0.13.41-7.3 commands: wgoto,wily,win,wreplace name: wims version: 1:4.15b~dfsg1-2ubuntu1 commands: gap.sh name: wimtools version: 1.12.0-1build1 commands: mkwinpeimg,wimappend,wimapply,wimcapture,wimdelete,wimdir,wimexport,wimextract,wiminfo,wimjoin,wimlib-imagex,wimmount,wimmountrw,wimoptimize,wimsplit,wimunmount,wimupdate,wimverify name: window-size version: 0.2.0-1 commands: window-size name: windowlab version: 1.40-3 commands: windowlab,x-window-manager name: wine-development version: 3.6-1 commands: msiexec-development,regedit-development,regsvr32-development,wine,wine-development,wineboot-development,winecfg-development,wineconsole-development,winedbg-development,winefile-development,winepath-development,wineserver-development name: wine-stable version: 3.0-1ubuntu1 commands: msiexec-stable,regedit-stable,regsvr32-stable,wine,wine-stable,wineboot-stable,winecfg-stable,wineconsole-stable,winedbg-stable,winefile-stable,winepath-stable,wineserver-stable name: winefish version: 1.3.3-0dl1ubuntu2 commands: winefish name: winetricks version: 0.0+20180217-1 commands: winetricks name: wing version: 0.7-31 commands: wing name: wings3d version: 2.1.5-3 commands: wings3d name: wininfo version: 0.7-6 commands: wininfo name: winpdb version: 1.4.8-3 commands: rpdb2,winpdb name: winregfs version: 0.7-1 commands: fsck.winregfs,mount.winregfs name: winrmcp version: 0.0~git20170607.0.078cc0a-1 commands: winrmcp name: winwrangler version: 0.2.4-5build1 commands: winwrangler name: wipe version: 0.24-2 commands: wipe name: wire version: 1.0~rc+git20161223.40.2f3b7aa-1 commands: wire name: wiredtiger version: 2.9.3+ds-1ubuntu2 commands: wt name: wireshark-common version: 2.4.5-1 commands: capinfos,dumpcap,editcap,mergecap,rawshark,reordercap,text2pcap name: wireshark-dev version: 2.4.5-1 commands: asn2deb,idl2deb,idl2wrs name: wireshark-gtk version: 2.4.5-1 commands: wireshark-gtk name: wireshark-qt version: 2.4.5-1 commands: wireshark name: wise version: 2.4.1-20 commands: dba,dnal,estwise,estwisedb,genewise,genewisedb,genomewise,promoterwise,psw,pswdb,scanwise,scanwise_server name: wit version: 2.31a-3 commands: wdf,wdf-cat,wdf-dump,wfuse,wit,wwt name: wixl version: 0.97-1 commands: wixl,wixl-heat name: wizznic version: 0.9.2-preview2+dfsg-4 commands: wizznic name: wkhtmltopdf version: 0.12.4-1 commands: wkhtmltoimage,wkhtmltopdf name: wks2ods version: 0.9.6-1 commands: wks2ods name: wlc version: 0.8-1 commands: wlc name: wm-icons version: 0.4.0-10 commands: wm-icons-config name: wm2 version: 4+svn20090216-3build1 commands: wm2,x-window-manager name: wmacpi version: 2.3-2build1 commands: wmacpi,wmacpi-cli name: wmail version: 2.0-3.1build1 commands: wmail name: wmaker version: 0.95.8-2 commands: WPrefs,WindowMaker,geticonset,getstyle,seticons,setstyle,wdread,wdwrite,wmagnify,wmgenmenu,wmiv,wmmenugen,wmsetbg,x-window-manager name: wmaker-common version: 0.95.8-2 commands: wmaker name: wmaker-utils version: 0.95.8-2 commands: wxcopy,wxpaste name: wmanager version: 0.2.2-2 commands: wmanager,wmanager-loop,wmanagerrc-update name: wmauda version: 0.9-1 commands: wmauda name: wmbattery version: 2.51-1 commands: wmbattery name: wmbiff version: 0.4.31-1 commands: wmbiff name: wmbubble version: 1.53-2build1 commands: wmbubble name: wmbutton version: 0.7.1-1 commands: wmbutton name: wmcalc version: 0.6-1build1 commands: wmcalc name: wmcalclock version: 1.25-16 commands: wmCalClock,wmcalclock name: wmcdplay version: 1.1-2build1 commands: wmcdplay name: wmcliphist version: 2.1-2build1 commands: wmcliphist name: wmclock version: 1.0.16-1build1 commands: wmclock name: wmclockmon version: 0.8.1-3 commands: wmclockmon,wmclockmon-cal,wmclockmon-config name: wmcoincoin version: 2.6.4-git-1build1 commands: wmccc,wmcoincoin,wmpanpan name: wmcore version: 0.0.2+ds-1 commands: wmcore name: wmcpu version: 1.4-4build1 commands: wmcpu name: wmcpuload version: 1.1.1-1 commands: wmcpuload name: wmctrl version: 1.07-7build1 commands: wmctrl name: wmcube version: 1.0.2-1 commands: wmcube name: wmdate version: 0.7-4.1build1 commands: wmdate name: wmdiskmon version: 0.0.2-3build1 commands: wmdiskmon name: wmdrawer version: 0.10.5-2 commands: wmdrawer name: wmf version: 1.0.5-7 commands: wmf name: wmfire version: 1.2.4-2build3 commands: wmfire name: wmforecast version: 0.11-1build1 commands: wmforecast name: wmforkplop version: 0.9.3-2.1build4 commands: wmforkplop name: wmfrog version: 0.3.1+git20161115-1 commands: wmfrog name: wmfsm version: 0.36-1build1 commands: wmfsm name: wmget version: 0.6.1-1build1 commands: wmget name: wmgtemp version: 1.2-1 commands: wmgtemp name: wmgui version: 0.6.00+svn201-4 commands: wmgui name: wmhdplop version: 0.9.10-1ubuntu2 commands: wmhdplop name: wmifinfo version: 0.10-2build1 commands: wmifinfo name: wmifs version: 1.8-1 commands: wmifs name: wmii version: 3.10~20120413+hg2813-11 commands: wihack,wikeyname,wimenu,wistrut,witray,wmii,wmii.rc,wmii.sh,wmii9menu,wmiir,x-window-manager name: wminput version: 0.6.00+svn201-4 commands: wminput name: wmitime version: 0.5-2build1 commands: wmitime name: wmix version: 3.3-1 commands: wmix name: wml version: 2.0.12ds1-10build2 commands: wmb,wmd,wmk,wml,wmu name: wmload version: 0.9.7-1build1 commands: wmload name: wmlongrun version: 0.3.1-1 commands: wmlongrun name: wmmatrix version: 0.2-12build1 commands: wmMatrix,wmmatrix name: wmmemload version: 0.1.8-2build1 commands: wmmemload name: wmmixer version: 1.8-1 commands: wmmixer name: wmmon version: 1.3-1 commands: wmmon name: wmmoonclock version: 1.29-1 commands: wmmoonclock name: wmnd version: 0.4.17-2build1 commands: wmnd name: wmnd-snmp version: 0.4.17-2build1 commands: wmnd name: wmnet version: 1.06-1build1 commands: wmnet name: wmnut version: 0.66-1 commands: wmnut name: wmpinboard version: 1.0.1-1build1 commands: wmpinboard name: wmppp.app version: 1.3.2-1build1 commands: wmppp name: wmpuzzle version: 0.5.2-2build1 commands: wmpuzzle name: wmrack version: 1.4-5build1 commands: wmrack name: wmressel version: 0.9-1 commands: wmressel name: wmshutdown version: 1.4-2build1 commands: wmshutdown name: wmstickynotes version: 0.7-2build1 commands: wmstickynotes name: wmsun version: 1.05-1build1 commands: wmsun name: wmsysmon version: 0.7.7+git20150808-1 commands: wmsysmon name: wmsystemtray version: 1.4+git20150508-2build1 commands: wmsystemtray name: wmtemp version: 0.0.6-3.3build1 commands: wmtemp name: wmtime version: 1.4-1build1 commands: wmtime name: wmtop version: 0.85-1 commands: wmtop name: wmtv version: 0.6.6-1 commands: wmtv name: wmwave version: 0.4-10ubuntu1 commands: wmwave name: wmweather version: 2.4.6-2 commands: wmWeather,wmweather name: wmweather+ version: 2.15-1.1build1 commands: wmweather+ name: wmwork version: 0.2.6-2build1 commands: wmwork name: wmxmms2 version: 0.6+repack-1build1 commands: wmxmms2 name: wmxres version: 1.2-10.1 commands: wmxres name: wodim version: 9:1.1.11-3ubuntu2 commands: cdrecord,netscsid,readom,wodim name: woff-tools version: 0:2009.10.04-2build1 commands: sfnt2woff,woff2sfnt name: woff2 version: 1.0.2-1 commands: woff2_compress,woff2_decompress,woff2_info name: wondershaper version: 1.1a-9 commands: wondershaper name: woof version: 20091227-2.1 commands: woof name: wordgrinder-ncurses version: 0.7.1-1 commands: wordgrinder name: wordgrinder-x11 version: 0.7.1-1 commands: xwordgrinder name: wordnet version: 1:3.0-35 commands: wn,wordnet name: wordnet-grind version: 1:3.0-35 commands: grind name: wordnet-gui version: 1:3.0-35 commands: wnb name: wordplay version: 7.22-19 commands: wordplay name: wordpress version: 4.9.5+dfsg1-1 commands: wp-setup name: wordwarvi version: 1.00+dfsg1-3build1 commands: wordwarvi name: worker version: 3.14.0-2 commands: worker name: worklog version: 1.9-1 commands: worklog name: workrave version: 1.10.16-2ubuntu1 commands: workrave name: wotsap version: 0.7-5 commands: wotsap name: wp2x version: 2.5-mhi-13 commands: wp2x name: wpagui version: 2:2.6-15ubuntu2 commands: wpa_gui name: wpan-tools version: 0.8-1 commands: iwpan,wpan-ping name: wpd2epub version: 0.9.6-1 commands: wpd2epub name: wpd2odt version: 0.9.6-1 commands: wpd2odt name: wpg2odg version: 0.9.6-1 commands: wpg2odg name: wpp version: 2.13.1.35-4 commands: wpp name: wps2epub version: 0.9.6-1 commands: wps2epub name: wps2odt version: 0.9.6-1 commands: wps2odt name: wput version: 0.6.2+git20130413-7 commands: wdel,wput name: wrapperfactory.app version: 0.1.0-4build7 commands: WrapperFactory name: wrapsrv version: 1.0.0-1build1 commands: wrapsrv name: writeboost version: 1.20160718-1 commands: writeboost name: writer2latex version: 1.4-3 commands: w2l name: writetype version: 1.3.163-1 commands: writetype name: wsclean version: 2.5-1 commands: wsclean name: wsjtx version: 1.1.r3496-3.2ubuntu1 commands: wsjtx name: wsl version: 0.2.1-1 commands: viwsl,wsl,wslcred,wslecn,wslenum,wslget,wslid,wslinvoke,wslput,wxmlgetvalue name: wsmancli version: 2.6.0-0ubuntu1 commands: wseventmgr,wsman name: wulf2html version: 2.6.0-0ubuntu4 commands: wulf2html name: wulflogger version: 2.6.0-0ubuntu4 commands: wulflogger name: wulfstat version: 2.6.0-0ubuntu4 commands: wulfstat name: wuzz version: 0.3.0-1 commands: wuzz name: wuzzah version: 0.53-3 commands: wuzzah name: wv version: 1.2.9-4.2build1 commands: wvAbw,wvCleanLatex,wvConvert,wvDVI,wvDocBook,wvHtml,wvLatex,wvMime,wvPDF,wvPS,wvRTF,wvSummary,wvText,wvVersion,wvWare,wvWml name: wvdial version: 1.61-4.1build1 commands: poff.wvdial,pon.wvdial,wvdial,wvdialconf name: wwl version: 1.3+db-2build1 commands: wwl name: wx-common version: 3.0.4+dfsg-3 commands: wxrc name: wxastrocapture version: 1.8.1+git20140821+dfsg-2 commands: wxAstroCapture name: wxbanker version: 1.0.0-0ubuntu1 commands: wxbanker name: wxglade version: 0.8.0-1 commands: wxglade name: wxhexeditor version: 0.23+repack-2ubuntu1 commands: wxHexEditor name: wxmaxima version: 18.02.0-2 commands: wxmaxima name: wyrd version: 1.4.6-4build1 commands: wyrd name: wzip version: 1.1.5 commands: wzip name: x11-touchscreen-calibrator version: 0.2-2 commands: x11-touchscreen-calibrator name: x11-xfs-utils version: 7.7+2build1 commands: fslsfonts,fstobdf,showfont,xfsinfo name: x11vnc version: 0.9.13-3 commands: x11vnc name: x264 version: 2:0.152.2854+gite9a5903-2 commands: x264,x264-10bit name: x265 version: 2.6-3 commands: x265 name: x2goclient version: 4.1.1.1-2 commands: x2goclient name: x2goserver version: 4.1.0.0-3 commands: x2gobasepath,x2gocleansessions,x2gocmdexitmessage,x2godbadmin,x2gofeature,x2gofeaturelist,x2gogetapps,x2gogetservers,x2golistdesktops,x2golistmounts,x2golistsessions,x2golistsessions_root,x2golistshadowsessions,x2gomountdirs,x2gopath,x2goresume-session,x2goruncommand,x2gosessionlimit,x2gosetkeyboard,x2goshowblocks,x2gostartagent,x2gosuspend-session,x2goterminate-session,x2goumount-session,x2goversion name: x2goserver-extensions version: 4.1.0.0-3 commands: x2goserver-run-extensions name: x2goserver-fmbindings version: 4.1.0.0-3 commands: x2gofm name: x2goserver-printing version: 4.1.0.0-3 commands: x2goprint name: x2goserver-x2goagent version: 4.1.0.0-3 commands: x2goagent name: x2vnc version: 1.7.2-6 commands: x2vnc name: x2x version: 1.30-4 commands: x2x name: x3270 version: 3.6ga4-3 commands: x3270 name: x42-plugins version: 20170428-1 commands: x42-fat1,x42-fil4,x42-meter,x42-mixtri,x42-scope,x42-stepseq,x42-tuna name: x509-util version: 1.6.4-1 commands: x509-util name: x86dis version: 0.23-6build1 commands: x86dis name: xa65 version: 2.3.8-2 commands: file65,ldo65,printcbm,reloc65,uncpk,xa name: xabacus version: 8.1.6+dfsg1-1 commands: xabacus name: xacobeo version: 0.15-3build3 commands: xacobeo name: xalan version: 1.11-6ubuntu3 commands: Xalan,xalan name: xandikos version: 0.0.6-2 commands: xandikos name: xaos version: 3.5+ds1-3.1build2 commands: xaos name: xapers version: 0.8.2-1 commands: xapers,xapers-adder name: xapian-omega version: 1.4.5-1 commands: omindex,omindex-list,scriptindex name: xapian-tools version: 1.4.5-1 commands: copydatabase,quest,xapian-check,xapian-compact,xapian-delve,xapian-metadata,xapian-progsrv,xapian-replicate,xapian-replicate-server,xapian-tcpsrv name: xapm version: 3.2.2-15build1 commands: xapm name: xara-gtk version: 1.0.33 commands: xara name: xarchiver version: 1:0.5.4.12-1 commands: xarchiver name: xarclock version: 1.0-14 commands: xarclock name: xastir version: 2.1.0-1 commands: callpass,testdbfawk,xastir,xastir_udp_client name: xattr version: 0.9.2-0ubuntu1 commands: xattr name: xautolock version: 1:2.2-5.1 commands: xautolock name: xautomation version: 1.09-2 commands: pat2ppm,patextract,png2pat,rgb2pat,visgrep,xmousepos,xte name: xawtv version: 3.103-4build1 commands: mtt,ntsc-cc,rootv,subtitles,v4lctl,xawtv,xawtv-remote name: xawtv-tools version: 3.103-4build1 commands: dump-mixers,propwatch,record,showriff name: xbacklight version: 1.2.1-1build2 commands: xbacklight name: xball version: 3.0.1-2 commands: xball name: xbattbar version: 1.4.8-1build1 commands: xbattbar name: xbill version: 2.1-8ubuntu2 commands: xbill name: xbindkeys version: 1.8.6-1build1 commands: xbindkeys,xbindkeys_autostart,xbindkeys_show name: xbindkeys-config version: 0.1.3-2ubuntu2 commands: xbindkeys-config name: xblast-tnt version: 2.10.4-4build1 commands: xblast-tnt,xblast-tnt-mini,xblast-tnt-smpf name: xboard version: 4.9.1-1 commands: cmail,xboard name: xbomb version: 2.2b-1build1 commands: xbomb name: xboxdrv version: 0.8.8-1 commands: xboxdrv,xboxdrvctl name: xbs version: 0-10build1 commands: xbs name: xbubble version: 0.5.11.2-3.4 commands: xbubble name: xbuffy version: 3.3.bl.3.dfsg-10build1 commands: xbuffy name: xbuilder version: 1.0.1 commands: buildd-synclogs,buildlogs-summarise,dimstrap,linkify-filelist,listsources,sbuildlogs-summarise,xbuild-chroot-setup,xbuilder,xbuilder-simple name: xca version: 1.4.1-1fakesync1 commands: xca,xca_db_stat name: xcal version: 4.1-19build1 commands: pscal,xcal,xcal_cal,xcalev,xcalpr name: xcalib version: 0.8.dfsg1-2ubuntu2 commands: xcalib name: xcape version: 1.2-2 commands: xcape name: xcb version: 2.4-4.3 commands: xcb name: xcfa version: 5.0.2-1build1 commands: xcfa,xcfa_cli name: xcftools version: 1.0.7-6 commands: xcf2png,xcf2pnm,xcfinfo,xcfview name: xchain version: 1.0.1-9 commands: xchain name: xchat version: 2.8.8-15 commands: xchat name: xchm version: 2:1.23-2build2 commands: xchm name: xcircuit version: 3.8.78.dfsg-1build1 commands: xcircuit name: xcolmix version: 1.07-10build2 commands: xcolmix name: xcolors version: 1.5a-8build1 commands: xcolors name: xcolorsel version: 1.1a-20 commands: xcolorsel name: xcompmgr version: 1.1.7-1build1 commands: xcompmgr name: xcowsay version: 1.4-1 commands: xcowdream,xcowfortune,xcowsay,xcowthink name: xcrysden version: 1.5.60-1build3 commands: ptable,pwi2xsf,pwo2xsf,unitconv,xcrysden name: xcwcp version: 3.5.1-2 commands: xcwcp name: xd version: 3.26.00-1 commands: xd name: xdaliclock version: 2.43+debian-2 commands: xdaliclock name: xdeb version: 0.6.7 commands: xdeb name: xdelta version: 1.1.3-9.2 commands: xdelta,xdelta-config name: xdemineur version: 2.1.1-19 commands: xdemineur name: xdemorse version: 3.4-1 commands: xdemorse name: xdesktopwaves version: 1.3-4build1 commands: xdesktopwaves name: xdeview version: 0.5.20-9 commands: uuwish,xdeview name: xdiagnose version: 3.8.8 commands: dpkg-log-summary,xdiagnose,xdiagnose-pkexec,xedid,xpci,xrandr-tool,xrotate name: xdiskusage version: 1.48-10.1build1 commands: xdiskusage name: xdm version: 1:1.1.11-3ubuntu1 commands: xdm name: xdms version: 1.3.2-6build1 commands: xdms name: xdmx version: 2:1.19.6-1ubuntu4 commands: Xdmx name: xdmx-tools version: 2:1.19.6-1ubuntu4 commands: dmxaddinput,dmxaddscreen,dmxinfo,dmxreconfig,dmxresize,dmxrminput,dmxrmscreen,dmxtodmx,dmxwininfo,vdltodmx,xdmxconfig name: xdo version: 0.5.2-1 commands: xdo name: xdot version: 0.9-1 commands: xdot name: xdotool version: 1:3.20160805.1-3 commands: xdotool name: xdrawchem version: 1:1.10.2.1-1 commands: xdrawchem name: xdu version: 3.0-19 commands: xdu name: xdvik-ja version: 22.87.03+j1.42-1 commands: pxdvi-xaw,xdvi.bin name: xdx version: 2.5.0-1build1 commands: xdx name: xe version: 0.11-2 commands: xe name: xemacs21 version: 21.4.24-5ubuntu1 commands: editor,xemacs name: xemacs21-bin version: 21.4.24-5ubuntu1 commands: b2m,b2m.xemacs21,ellcc,ellcc.xemacs21,etags,etags.xemacs21,gnuattach,gnuattach.xemacs21,gnuclient,gnuclient.xemacs21,gnudoit,gnudoit.xemacs21,mmencode,movemail,rcs-checkin,rcs-checkin.xemacs21 name: xemacs21-mule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule,xemacs21,xemacs21-mule name: xemacs21-mule-canna-wnn version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-mule-canna-wnn,xemacs21,xemacs21-mule-canna-wnn name: xemacs21-nomule version: 21.4.24-5ubuntu1 commands: xemacs-21.4.24-nomule,xemacs21,xemacs21-nomule name: xemacs21-support version: 21.4.24-5ubuntu1 commands: editclient name: xen-tools version: 4.7-1 commands: xen-create-image,xen-create-nfs,xen-delete-image,xen-list-images,xen-update-image,xt-create-xen-config,xt-customize-image,xt-guess-suite-and-mirror,xt-install-image name: xen-utils-common version: 4.9.2-0ubuntu1 commands: vhd-update,vhd-util,xen,xenperf,xenpm,xentop,xentrace,xentrace_format,xentrace_setmask,xentrace_setsize,xl,xm name: xevil version: 2.02r2-10 commands: xevil,xevil-serverping name: xfaces version: 3.3-29ubuntu1 commands: xfaces name: xfburn version: 0.5.5-1 commands: xfburn name: xfce4-appfinder version: 4.12.0-2ubuntu2 commands: xfce4-appfinder,xfrun4 name: xfce4-clipman version: 2:1.4.2-1 commands: xfce4-clipman,xfce4-clipman-settings,xfce4-popup-clipman,xfce4-popup-clipman-actions name: xfce4-dev-tools version: 4.12.0-2 commands: xdt-autogen,xdt-commit,xdt-csource name: xfce4-dict version: 0.8.0-1 commands: xfce4-dict name: xfce4-notes version: 1.8.1-1 commands: xfce4-notes,xfce4-notes-settings,xfce4-popup-notes name: xfce4-notifyd version: 0.4.2-0ubuntu2 commands: xfce4-notifyd-config name: xfce4-panel version: 4.12.2-1ubuntu1 commands: xfce4-panel,xfce4-popup-applicationsmenu,xfce4-popup-directorymenu,xfce4-popup-windowmenu name: xfce4-places-plugin version: 1.7.0-3 commands: xfce4-popup-places name: xfce4-power-manager version: 1.6.1-0ubuntu1 commands: xfce4-pm-helper,xfce4-power-manager,xfce4-power-manager-settings,xfpm-power-backlight-helper name: xfce4-screenshooter version: 1.8.2-2 commands: xfce4-screenshooter name: xfce4-sensors-plugin version: 1.2.6-1 commands: xfce4-sensors name: xfce4-session version: 4.12.1-3ubuntu3 commands: startxfce4,x-session-manager,xfce4-session,xfce4-session-logout,xfce4-session-settings,xflock4 name: xfce4-settings version: 4.12.3-0ubuntu1 commands: xfce4-accessibility-settings,xfce4-appearance-settings,xfce4-display-settings,xfce4-find-cursor,xfce4-keyboard-settings,xfce4-mime-settings,xfce4-mouse-settings,xfce4-settings-editor,xfce4-settings-manager,xfsettingsd name: xfce4-taskmanager version: 1.2.0-0ubuntu1 commands: xfce4-taskmanager name: xfce4-terminal version: 0.8.7.3-0ubuntu1 commands: x-terminal-emulator,xfce4-terminal,xfce4-terminal.wrapper name: xfce4-verve-plugin version: 1.1.0-1 commands: verve-focus name: xfce4-volumed version: 0.2.0-0ubuntu2 commands: xfce4-volumed name: xfce4-whiskermenu-plugin version: 2.1.5-0ubuntu1 commands: xfce4-popup-whiskermenu name: xfconf version: 4.12.1-1 commands: xfconf-query name: xfdashboard version: 0.6.1-0ubuntu1 commands: xfdashboard,xfdashboard-settings name: xfdesktop4 version: 4.12.3-4ubuntu2 commands: xfdesktop,xfdesktop-settings name: xfe version: 1.42-1 commands: xfe,xfimage,xfpack,xfwrite name: xfig version: 1:3.2.6a-2 commands: xfig name: xfig-doc version: 1:3.2.6a-2 commands: xfig-pdf-viewer name: xfireworks version: 1.3-10build1 commands: xfireworks name: xfishtank version: 2.5-1build1 commands: xfishtank name: xflip version: 1.01-27 commands: meltdown,xflip name: xflr5 version: 6.09.06-2build2 commands: xflr5 name: xfoil version: 6.99.dfsg-2build1 commands: pplot,pxplot,xfoil name: xfonts-traditional version: 1.8.0 commands: update-xfonts-traditional name: xfpanel-switch version: 1.0.7-0ubuntu2 commands: xfpanel-switch name: xfpt version: 0.09-2build1 commands: xfpt name: xfrisk version: 1.2-6 commands: aiColson,aiConway,aiDummy,friskserver,risk,xfrisk name: xfstt version: 1.9.3-3 commands: xfstt name: xfwm4 version: 4.12.4-0ubuntu1 commands: x-window-manager,xfwm4,xfwm4-settings,xfwm4-tweaks-settings,xfwm4-workspace-settings name: xgalaga version: 2.1.1.0-5build1 commands: xgalaga,xgalaga-hyperspace name: xgalaga++ version: 0.9-2 commands: xgalaga++ name: xgammon version: 0.99.1128-3build1 commands: xgammon name: xgnokii version: 0.6.31+dfsg-2ubuntu6 commands: xgnokii name: xgrep version: 0.08-0ubuntu2 commands: xgrep name: xgridfit version: 2.3-2 commands: getinstrs,ttx2xgf,xgfconfig,xgfmerge,xgfupdate,xgridfit name: xhtml2ps version: 1.0b7-2 commands: xhtml2ps name: xia version: 2.2-3 commands: xia name: xiccd version: 0.2.4-1 commands: xiccd name: xidle version: 20161031 commands: xidle name: xine-console version: 0.99.9-1.3 commands: aaxine,cacaxine,fbxine name: xine-ui version: 0.99.9-1.3 commands: xine,xine-remote name: xineliboutput-fbfe version: 2.0.0-1.1 commands: vdr-fbfe name: xineliboutput-sxfe version: 2.0.0-1.1 commands: vdr-sxfe name: xinetd version: 1:2.3.15.3-1 commands: itox,xconv.pl,xinetd name: xininfo version: 0.14.11-1 commands: xininfo name: xinput-calibrator version: 0.7.5+git20140201-1build1 commands: xinput_calibrator name: xinv3d version: 1.3.6-6build1 commands: xinv3d name: xiphos version: 4.0.7+dfsg1-1build2 commands: xiphos,xiphos-nav name: xiterm+thai version: 1.10-2 commands: txiterm,x-terminal-emulator,xiterm+thai name: xjadeo version: 0.8.7-2 commands: xjadeo,xjremote name: xjdic version: 24-10build1 commands: exjdxgen,xjdic,xjdic_cl,xjdic_sa,xjdicconfig,xjdrad,xjdserver,xjdxgen name: xjed version: 1:0.99.19-7 commands: editor,jed-script,xjed name: xjig version: 2.4-14build1 commands: xjig,xjig-random name: xjobs version: 20120412-1build1 commands: xjobs name: xjokes version: 1.0-15 commands: blackhole,mori1,mori2,yasiti name: xjump version: 2.7.5-6.2 commands: xjump name: xkbind version: 2010.05.20-1build1 commands: xkbind name: xkbset version: 0.5-7 commands: xkbset,xkbset-gui name: xkcdpass version: 1.14.2+dfsg.1-1 commands: xkcdpass name: xkeycaps version: 2.47-5 commands: xkeycaps name: xl2tpd version: 1.3.10-1 commands: pfc,xl2tpd,xl2tpd-control name: xlassie version: 1.8-21build1 commands: xlassie name: xlax version: 2.4-2 commands: mkxlax,xlax name: xlbiff version: 4.1-7build1 commands: xlbiff name: xless version: 1.7-14.3 commands: xless name: xletters version: 1.1.1-5build1 commands: xletters,xletters-duel name: xli version: 1.17.0+20061110-5 commands: xli,xlito name: xloadimage version: 4.1-24 commands: uufilter,xloadimage,xsetbg,xview name: xlog version: 2.0.14-1 commands: xlog name: xlsx2csv version: 0.20+20161027+git5785081-1 commands: xlsx2csv name: xmabacus version: 8.1.6+dfsg1-1 commands: xabacus,xmabacus name: xmacro version: 0.3pre-20000911-7 commands: xmacroplay,xmacroplay-keys,xmacrorec,xmacrorec2 name: xmahjongg version: 3.7-4 commands: xmahjongg name: xmakemol version: 5.16-9 commands: xmake_anim,xmakemol name: xmakemol-gl version: 5.16-9 commands: xmake_anim,xmakemol name: xmaxima version: 5.41.0-3 commands: xmaxima name: xmds2 version: 2.2.3+dfsg-5 commands: xmds2,xsil2graphics2 name: xmedcon version: 0.14.1-2 commands: xmedcon name: xmille version: 2.0-13ubuntu2 commands: xmille name: xmix version: 2.1-7build1 commands: xmix name: xml-security-c-utils version: 1.7.3-4build1 commands: xsec-c14n,xsec-checksig,xsec-cipher,xsec-siginf,xsec-templatesign,xsec-txfmout,xsec-xklient,xsec-xtest name: xml-twig-tools version: 1:3.50-1 commands: xml_grep,xml_merge,xml_pp,xml_spellcheck,xml_split name: xml2 version: 0.5-1 commands: 2csv,2html,2xml,csv2,html2,xml2 name: xmlbeans version: 2.6.0+dfsg-3 commands: dumpxsb,inst2xsd,scomp,sdownload,sfactor,svalidate,xpretty,xsd2inst,xsdtree,xsdvalidate,xstc name: xmlcopyeditor version: 1.2.1.3-1build2 commands: xmlcopyeditor name: xmldiff version: 0.6.10-3 commands: xmldiff name: xmldiff-xmlrev version: 0.6.10-3 commands: xmlrev name: xmlformat-perl version: 1.04-2 commands: xmlformat name: xmlformat-ruby version: 1.04-2 commands: xmlformat name: xmlindent version: 0.2.17-4.1build1 commands: xmlindent name: xmlroff version: 0.6.2-1.3build1 commands: xmlroff name: xmlrpc-api-utils version: 1.33.14-8build1 commands: xml-rpc-api2cpp,xml-rpc-api2txt name: xmlstarlet version: 1.6.1-2 commands: xmlstarlet name: xmlsysd version: 2.6.0-0ubuntu4 commands: xmlsysd name: xmlto version: 0.0.28-2 commands: xmlif,xmlto name: xmltoman version: 0.5-1 commands: xmlmantohtml,xmltoman name: xmltv-gui version: 0.5.70-1 commands: tv_check name: xmltv-util version: 0.5.70-1 commands: tv_augment,tv_augment_tz,tv_cat,tv_count,tv_extractinfo_ar,tv_extractinfo_en,tv_find_grabbers,tv_grab_ar,tv_grab_ch_search,tv_grab_combiner,tv_grab_dk_dr,tv_grab_dtv_la,tv_grab_es_laguiatv,tv_grab_eu_dotmedia,tv_grab_eu_epgdata,tv_grab_fi,tv_grab_fi_sv,tv_grab_fr,tv_grab_fr_kazer,tv_grab_huro,tv_grab_il,tv_grab_is,tv_grab_it,tv_grab_it_dvb,tv_grab_na_dd,tv_grab_na_dtv,tv_grab_na_tvmedia,tv_grab_nl,tv_grab_pt_meo,tv_grab_se_swedb,tv_grab_se_tvzon,tv_grab_tr,tv_grab_uk_bleb,tv_grab_uk_tvguide,tv_grab_zz_sdjson,tv_grab_zz_sdjson_sqlite,tv_grep,tv_imdb,tv_merge,tv_remove_some_overlapping,tv_sort,tv_split,tv_to_latex,tv_to_potatoe,tv_to_text,tv_validate_file,tv_validate_grabber name: xmms2-client-avahi version: 0.8+dfsg-18.1build3 commands: xmms2-find-avahi,xmms2-mdns-avahi name: xmms2-client-cli version: 0.8+dfsg-18.1build3 commands: xmms2 name: xmms2-client-medialib-updater version: 0.8+dfsg-18.1build3 commands: xmms2-mlib-updater name: xmms2-client-nycli version: 0.8+dfsg-18.1build3 commands: nyxmms2 name: xmms2-core version: 0.8+dfsg-18.1build3 commands: xmms2-launcher,xmms2d name: xmms2-scrobbler version: 0.4.0-4build1 commands: xmms2-scrobbler name: xmobar version: 0.24.5-1 commands: xmobar name: xmonad version: 0.13-7 commands: gnome-flashback-xmonad,x-session-manager,x-window-manager,xmonad,xmonad-session name: xmorph version: 1:20140707+nmu2build1 commands: morph,xmorph name: xmotd version: 1.17.3b-10 commands: xmotd name: xmoto version: 0.5.11+dfsg-7 commands: xmoto name: xmount version: 0.7.3-1build2 commands: xmount name: xmountains version: 2.9-5 commands: xmountains name: xmp version: 4.1.0-1 commands: xmp name: xmpi version: 2.2.3b8-13.2 commands: xmpi name: xmpuzzles version: 7.7.1-1.1 commands: xmbarrel,xmcubes,xmdino,xmhexagons,xmmball,xmmlink,xmoct,xmpanex,xmpyraminx,xmrubik,xmskewb,xmtriangles name: xnav version: 0.05-0ubuntu1 commands: xnav name: xnbd-client version: 0.3.0-2 commands: xnbd-client,xnbd-watchdog name: xnbd-common version: 0.3.0-2 commands: xnbd-register name: xnbd-server version: 0.3.0-2 commands: xnbd-bgctl,xnbd-server,xnbd-wrapper,xnbd-wrapper-ctl name: xnec2c version: 1:3.6.1~beta-1 commands: xnec2c name: xnecview version: 1.36-1 commands: xnecview name: xnest version: 2:1.19.6-1ubuntu4 commands: Xnest name: xneur version: 0.20.0-1 commands: xneur name: xonix version: 1.4-31 commands: xonix name: xonsh version: 0.6.0+dfsg-1 commands: xonsh name: xorp version: 1.8.6~wip.20160715-2ubuntu2 commands: call_xrl,xorp_profiler,xorp_rtrmgr,xorpsh name: xorriso version: 1.4.8-3 commands: osirrox,xorrecord,xorriso,xorrisofs name: xorriso-tcltk version: 1.4.8-3 commands: xorriso-tcltk name: xoscope version: 2.2-1ubuntu1 commands: xoscope name: xosd-bin version: 2.2.14-2.1build1 commands: osd_cat name: xosview version: 1.20-1 commands: xosview name: xotcl-shells version: 1.6.8-3 commands: xotclsh,xowish name: xournal version: 1:0.4.8-1build1 commands: xournal name: xpa-tools version: 2.1.18-4 commands: xpaaccess,xpaget,xpainfo,xpamb,xpans,xpaset name: xpad version: 5.0.0-1 commands: xpad name: xpaint version: 2.9.1.4-3.2 commands: imgmerge,pdfconcat,xpaint name: xpat2 version: 1.07-20 commands: xpat2 name: xpdf version: 3.04-7 commands: xpdf,xpdf.real name: xpenguins version: 2.2-11 commands: xpenguins,xpenguins-stop name: xphoon version: 20000613+0-4 commands: xphoon name: xpilot-extra version: 4.7.3 commands: metapilot name: xpilot-ng-client-sdl version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-sdl name: xpilot-ng-client-x11 version: 1:4.7.3-2.3ubuntu1 commands: xpilot,xpilot-ng,xpilot-ng-x11 name: xpilot-ng-common version: 1:4.7.3-2.3ubuntu1 commands: xpngcc name: xpilot-ng-server version: 1:4.7.3-2.3ubuntu1 commands: start-xpilot-ng-server,xpilot-ng-server name: xpilot-ng-utils version: 1:4.7.3-2.3ubuntu1 commands: xpilot-ng-replay,xpilot-ng-xp-mapedit name: xplanet version: 1.3.0-5 commands: xplanet name: xplot version: 1.19-9build2 commands: xplot name: xplot-xplot.org version: 0.90.7.1-3 commands: tcpdump2xplot,xplot.org name: xpmutils version: 1:3.5.12-1 commands: cxpm,sxpm name: xpn version: 1.2.6-5.1 commands: xpn name: xpp version: 1.5-cvs20081009-3 commands: xpp name: xppaut version: 6.11b+1.dfsg-1build1 commands: xppaut name: xpra version: 2.1.3+dfsg-1ubuntu1 commands: xpra,xpra_browser,xpra_launcher name: xprintidle version: 0.2-10build1 commands: xprintidle name: xprobe version: 0.3-3 commands: xprobe2 name: xpuzzles version: 7.7.1-1.1 commands: xbarrel,xcubes,xdino,xhexagons,xmball,xmlink,xoct,xpanex,xpyraminx,xrubik,xskewb,xtriangles name: xqf version: 1.0.6-2 commands: xqf,xqf-rcon name: xqilla version: 2.3.3-3build1 commands: xqilla name: xracer version: 0.96.9.1-9 commands: xracer name: xracer-tools version: 0.96.9.1-9 commands: xracer-blender2track,xracer-mkcraft,xracer-mkmeshnotex,xracer-mktrack,xracer-mktrackscenery,xracer-mktube name: xrdp version: 0.9.5-2 commands: xrdp,xrdp-chansrv,xrdp-dis,xrdp-genkeymap,xrdp-keygen,xrdp-sesadmin,xrdp-sesman,xrdp-sesrun name: xrdp-pulseaudio-installer version: 0.9.5-2 commands: xrdp-build-pulse-modules name: xrestop version: 0.4+git20130926-1 commands: xrestop name: xringd version: 1.20-27build1 commands: xringd name: xrootconsole version: 1:0.6-4 commands: xrootconsole name: xsane version: 0.999-5ubuntu2 commands: xsane name: xscavenger version: 1.4.5-4 commands: xscavenger name: xscorch version: 0.2.1-1+nmu1build1 commands: xscorch name: xscreensaver version: 5.36-1ubuntu1 commands: xscreensaver,xscreensaver-command,xscreensaver-demo name: xscreensaver-data version: 5.36-1ubuntu1 commands: xscreensaver-getimage,xscreensaver-getimage-file,xscreensaver-getimage-video,xscreensaver-text name: xscreensaver-gl version: 5.36-1ubuntu1 commands: xscreensaver-gl-helper name: xscreensaver-screensaver-webcollage version: 5.36-1ubuntu1 commands: webcollage-helper name: xsdcxx version: 4.0.0-7build1 commands: xsdcxx name: xsddiagram version: 1.0-1 commands: xsddiagram name: xsel version: 1.2.0-4 commands: xsel name: xsensors version: 0.70-3build1 commands: xsensors name: xserver-xorg-input-synaptics version: 1.9.0-1ubuntu1 commands: synclient,syndaemon name: xsettingsd version: 0.0.20171105+1+ge4cf9969-1 commands: dump_xsettings,xsettingsd name: xshisen version: 1:1.51-5 commands: xshisen name: xshogi version: 1.4.2-2build1 commands: xshogi name: xskat version: 4.0-7 commands: xskat name: xsok version: 1.02-17.1 commands: xsok name: xsol version: 0.31-13 commands: xsol name: xsoldier version: 1:1.8-5 commands: xsoldier name: xss-lock version: 0.3.0-4 commands: xss-lock name: xssproxy version: 1.0.0-1 commands: xssproxy name: xstarfish version: 1.1-11.1build1 commands: xstarfish name: xstow version: 1.0.2-1 commands: merge-info,xstow name: xsunpinyin version: 2.0.3-4build2 commands: xsunpinyin,xsunpinyin-preferences name: xsysinfo version: 1.7-9build1 commands: xsysinfo name: xsystem35 version: 1.7.3-pre5-6 commands: xsystem35 name: xtables-addons-common version: 3.0-0.1 commands: iptaccount name: xtail version: 2.1-6 commands: xtail name: xtalk version: 1.3-15.3 commands: xtalk name: xteddy version: 2.2-2ubuntu2 commands: teddy,xalex,xbobo,xbrummi,xcherubino,xduck,xhedgehog,xklitze,xnamu,xorca,xpenguin,xpuppy,xruessel,xteddy,xteddy_test,xtoys,xtrouble,xtuxxy name: xtel version: 3.3.0-20 commands: make_xtel_lignes,mdmdetect,xtel,xteld name: xtell version: 2.10.8 commands: xtell,xtelld name: xterm version: 330-1ubuntu2 commands: koi8rxterm,lxterm,resize,uxterm,x-terminal-emulator,xterm name: xtermcontrol version: 3.3-1 commands: xtermcontrol name: xtermset version: 0.5.2-6build1 commands: xtermset name: xtide version: 2.13.2-1build1 commands: tide,xtide,xttpd name: xtightvncviewer version: 1.3.10-0ubuntu4 commands: xtightvncviewer name: xtitle version: 1.0.2-7 commands: xtitle name: xtrace version: 1.3.1-1build1 commands: xtrace name: xtrkcad version: 1:5.1.0-1 commands: xtrkcad name: xtrlock version: 2.8 commands: xtrlock name: xtron version: 1.1a-14build1 commands: xtron name: xttitle version: 1.0-7 commands: xttitle name: xtv version: 1.1-14build1 commands: xtv name: xubuntu-default-settings version: 18.04.6 commands: thunar-print,xubuntu-numlockx name: xutils-dev version: 1:7.7+5ubuntu1 commands: cleanlinks,gccmakedep,imake,lndir,makedepend,makeg,mergelib,mkdirhier,mkhtmlindex,revpath,xmkmf name: xvfb version: 2:1.19.6-1ubuntu4 commands: Xvfb,xvfb-run name: xvier version: 1.0-7.6 commands: xvier,xvier_prog name: xvile version: 9.8s-5 commands: uxvile,xvile name: xvkbd version: 3.9-1 commands: xvkbd name: xvnc4viewer version: 4.1.1+xorg4.3.0-37.3ubuntu2 commands: xvnc4viewer name: xvt version: 2.1-20.3ubuntu2 commands: x-terminal-emulator,xvt name: xwatch version: 2.11-15build2 commands: xwatch name: xwax version: 1.6-2fakesync1 commands: xwax name: xwelltris version: 1.0.1-17 commands: xwelltris name: xwiimote version: 2-3build1 commands: xwiishow name: xwit version: 3.4-15build1 commands: xwit name: xwpe version: 1.5.30a-2.1build2 commands: we,wpe,xwe,xwpe name: xwrited version: 2-1build1 commands: xwrited name: xwrits version: 2.21-6.1build1 commands: xwrits name: xxdiff version: 1:4.0.1+hg487+dfsg-1 commands: xxdiff name: xxdiff-scripts version: 1:4.0.1+hg487+dfsg-1 commands: svn-foreign,termdiff,xx-cond-replace,xx-cvs-diff,xx-cvs-revcmp,xx-diff-proxy,xx-encrypted,xx-filter,xx-find-grep-sed,xx-hg-merge,xx-match,xx-p4-unmerge,xx-pyline,xx-rename,xx-sql-schemas,xx-svn-diff,xx-svn-resolve,xx-svn-review name: xxgdb version: 1.12-17build1 commands: xxgdb name: xxkb version: 1.11-2.1ubuntu2 commands: xxkb name: xye version: 0.12.2+dfsg-5build1 commands: xye name: xymon-client version: 4.3.28-3build1 commands: xymoncmd name: xymonq version: 0.8-1 commands: xymonq name: xyscan version: 4.30-1 commands: xyscan name: xzdec version: 5.2.2-1.3 commands: lzmadec,xzdec name: xzgv version: 0.9.1-4 commands: xzgv name: xzip version: 1:1.8.2-4build1 commands: xzip,zcode-interpreter name: xzoom version: 0.3-24build1 commands: xzoom name: yabar version: 0.4.0-1 commands: yabar name: yabasic version: 1:2.78.5-1 commands: yabasic name: yabause-gtk version: 0.9.14-2.1 commands: yabause,yabause-gtk name: yabause-qt version: 0.9.14-2.1 commands: yabause,yabause-qt name: yacas version: 1.3.6-2 commands: yacas name: yad version: 0.38.2-1 commands: yad,yad-icon-browser name: yade version: 2018.02b-1 commands: yade,yade-batch name: yadifa version: 2.3.7-1build1 commands: yadifa,yadifad name: yadm version: 1.12.0-1 commands: yadm name: yafc version: 1.3.7-4build1 commands: yafc name: yagf version: 0.9.3.2-1ubuntu2 commands: yagf name: yaggo version: 1.5.10-1 commands: yaggo name: yagiuda version: 1.19-9build1 commands: dipole,first,input,mutual,optimise,output,randtest,selftest,yagi name: yagtd version: 0.3.4-1.1 commands: yagtd name: yagv version: 0.4~20130422.r5bd15ed+dfsg-4 commands: yagv name: yahoo2mbox version: 0.24-2 commands: yahoo2mbox name: yahtzeesharp version: 1.1-6.1 commands: yahtzeesharp name: yajl-tools version: 2.1.0-2build1 commands: json_reformat,json_verify name: yakuake version: 3.0.5-1 commands: yakuake name: yamdi version: 1.4-2build1 commands: yamdi name: yamllint version: 1.10.0-1 commands: yamllint name: yample version: 0.30-3 commands: yample name: yangcli version: 2.10-1build1 commands: yangcli name: yank version: 0.8.3-1 commands: yank-cli name: yapet version: 1.0-9build1 commands: csv2yapet,yapet,yapet2csv name: yapf version: 0.20.1-1ubuntu1 commands: yapf name: yapf3 version: 0.20.1-1ubuntu1 commands: yapf3 name: yapps2 version: 2.1.1-17.5 commands: yapps name: yapra version: 0.1.2-7.1 commands: yapra name: yara version: 3.7.1-1ubuntu2 commands: yara,yarac name: yard version: 0.9.12-2 commands: yard,yardoc,yri name: yaret version: 2.1.0-5.1 commands: yaret name: yasat version: 848-1ubuntu1 commands: yasat name: yash version: 2.46-1 commands: yash name: yaskkserv version: 1.1.0-2 commands: update-skkdic-yaskkserv,yaskkserv_hairy,yaskkserv_make_dictionary,yaskkserv_normal,yaskkserv_simple name: yasm version: 1.3.0-2build1 commands: tasm,yasm,ytasm name: yasr version: 0.6.9-6 commands: yasr name: yasw version: 0.6-2 commands: yasw name: yatm version: 0.9-2 commands: yatm name: yaws version: 2.0.4+dfsg-2 commands: yaws name: yaz version: 5.19.2-0ubuntu3 commands: yaz-client,yaz-iconv,yaz-json-parse,yaz-marcdump,yaz-record-conv,yaz-url,yaz-ztest,zoomsh name: yaz-icu version: 5.19.2-0ubuntu3 commands: yaz-icu name: yaz-illclient version: 5.19.2-0ubuntu3 commands: yaz-illclient name: ycmd version: 0+20161219+git486b809-2.1 commands: ycmd name: yeahconsole version: 0.3.4-5 commands: yeahconsole name: yelp-tools version: 3.18.0-5 commands: yelp-build,yelp-check,yelp-new name: yersinia version: 0.8.2-2 commands: yersinia name: yesod version: 1.5.2.6-1 commands: yesod name: yforth version: 0.2.1-1build1 commands: yforth name: yhsm-daemon version: 1.2.0-1 commands: yhsm-daemon name: yhsm-tools version: 1.2.0-1 commands: yhsm-decrypt-aead,yhsm-generate-keys,yhsm-keystore-unlock,yhsm-linux-add-entropy name: yhsm-validation-server version: 1.2.0-1 commands: yhsm-init-oath-token,yhsm-validate-otp,yhsm-validation-server name: yhsm-yubikey-ksm version: 1.2.0-1 commands: yhsm-db-export,yhsm-db-import,yhsm-import-keys,yhsm-yubikey-ksm name: yiyantang version: 0.7.0-5build1 commands: yyt name: ykneomgr version: 0.1.8-2.2 commands: ykneomgr name: ykush-control version: 1.1.0+ds-1 commands: ykushcmd name: yodl version: 4.02.00-2 commands: yodl,yodl2html,yodl2latex,yodl2man,yodl2txt,yodl2whatever,yodl2xml,yodlpost,yodlstriproff,yodlverbinsert name: yokadi version: 1.1.1-1 commands: yokadi,yokadid name: yorick version: 2.2.04+dfsg1-9 commands: gist,yorick name: yorick-cubeview version: 2.2-2 commands: cubeview name: yorick-dev version: 2.2.04+dfsg1-9 commands: dh_installyorick name: yorick-doc version: 2.2.04+dfsg1-9 commands: update-yorickdoc name: yorick-gyoto version: 1.2.0-4 commands: gyotoy name: yorick-mira version: 1.1.0+git20170124.3bd1c3~dfsg1-2 commands: ymira name: yorick-mpy-mpich2 version: 2.2.04+dfsg1-9 commands: mpy,mpy.mpich2 name: yorick-mpy-openmpi version: 2.2.04+dfsg1-9 commands: mpy,mpy.openmpi name: yorick-spydr version: 0.8.2-3 commands: spydr name: yorick-yao version: 5.4.0-1 commands: yao name: yoshimi version: 1.5.6-3 commands: yoshimi name: yosys version: 0.7-2 commands: yosys,yosys-abc,yosys-filterlib,yosys-smtbmc name: yosys-dev version: 0.7-2 commands: yosys-config name: youtube-dl version: 2018.03.14-1 commands: youtube-dl name: yowsup-cli version: 2.5.7-3 commands: yowsup-cli name: yp-tools version: 3.3-5.1 commands: yp_dump_binding,ypcat,ypchfn,ypchsh,ypmatch,yppasswd,yppoll,ypset,ypwhich name: yrmcds version: 1.1.8-1.1 commands: yrmcdsd name: ytalk version: 3.3.0-9build2 commands: talk,ytalk name: ytnef-tools version: 1.9.2-2 commands: ytnef,ytnefprint,ytnefprocess name: ytree version: 1.94-2 commands: ytree name: yubico-piv-tool version: 1.4.2-2 commands: yubico-piv-tool name: yubikey-luks version: 0.3.3+3.ge11e4c1-1 commands: yubikey-luks-enroll name: yubikey-personalization version: 1.18.0-1 commands: ykchalresp,ykinfo,ykpersonalize name: yubikey-personalization-gui version: 3.1.24-1 commands: yubikey-personalization-gui name: yubikey-piv-manager version: 1.3.0-1.1 commands: pivman name: yubikey-server-c version: 0.5-1build3 commands: yubikeyd name: yubikey-val version: 2.38-2 commands: ykval-checksum-clients,ykval-checksum-deactivated,ykval-export,ykval-export-clients,ykval-gen-clients,ykval-import,ykval-import-clients,ykval-nagios-queuelength,ykval-queue,ykval-synchronize name: yubioath-desktop version: 3.0.1-2 commands: yubioath,yubioath-gui name: yubiserver version: 0.6-3build1 commands: yubiserver,yubiserver-admin name: yudit version: 2.9.6-7 commands: mytool,uniconv,uniprint,yudit name: yui-compressor version: 2.4.8-2 commands: yui-compressor name: yum version: 3.4.3-3 commands: yum name: yum-utils version: 1.1.31-3 commands: repo-graph,repo-rss,repoclosure,repodiff,repomanage,repoquery,reposync,repotrack,yum-builddep,yum-complete-transaction,yum-config-manager,yum-groups-manager,yumdb,yumdownloader name: z-push-common version: 2.3.8-2ubuntu1 commands: z-push-admin,z-push-top name: z-push-kopano-gab2contacts version: 2.3.8-2ubuntu1 commands: z-push-gab2contacts name: z-push-kopano-gabsync version: 2.3.8-2ubuntu1 commands: z-push-gabsync name: z3 version: 4.4.1-0.3build4 commands: z3 name: z80asm version: 1.8-1build1 commands: z80asm name: z80dasm version: 1.1.5-1 commands: z80dasm name: z8530-utils2 version: 3.0-1-9 commands: gencfg,kissbridge,sccinit,sccparam,sccstat name: z88 version: 13.0.0+dfsg2-5 commands: z88,z88com,z88d,z88e,z88f,z88g,z88h,z88i1,z88i2,z88n,z88o,z88v,z88x name: zabbix-agent version: 1:3.0.12+dfsg-1 commands: zabbix_agentd,zabbix_sender name: zabbix-cli version: 1.7.0-1 commands: zabbix-cli,zabbix-cli-bulk-execution,zabbix-cli-init name: zabbix-java-gateway version: 1:3.0.12+dfsg-1 commands: zabbix-java-gateway.jar name: zabbix-proxy-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-proxy-sqlite3 version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_proxy name: zabbix-server-mysql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zabbix-server-pgsql version: 1:3.0.12+dfsg-1 commands: zabbix_get,zabbix_server name: zalign version: 0.9.1-3 commands: mpialign,zalign name: zam-plugins version: 3.9~repack3-1 commands: ZaMaximX2,ZaMultiComp,ZaMultiCompX2,ZamAutoSat,ZamComp,ZamCompX2,ZamDelay,ZamDynamicEQ,ZamEQ2,ZamGEQ31,ZamGate,ZamGateX2,ZamHeadX2,ZamPhono,ZamTube name: zanshin version: 0.5.0-1ubuntu1 commands: renku,zanshin,zanshin-migrator name: zapping version: 0.10~cvs6-13 commands: zapping,zapping_remote,zapping_setup_fb name: zaqar-common version: 6.0.0-0ubuntu1 commands: zaqar-bench,zaqar-gc,zaqar-server,zaqar-sql-db-manage name: zatacka version: 0.1.8-5.1 commands: zatacka name: zathura version: 0.3.8-1 commands: zathura name: zaz version: 1.0.0~dfsg1-5 commands: zaz name: zbackup version: 1.4.4-3build1 commands: zbackup name: zbar-tools version: 0.10+doc-10.1build2 commands: zbarcam,zbarimg name: zeal version: 1:0.6.0-2 commands: zeal name: zec version: 0.12-5 commands: zec name: zegrapher version: 3.0.2-1 commands: ZeGrapher name: zeitgeist-datahub version: 1.0-0.1ubuntu1 commands: zeitgeist-datahub name: zeitgeist-explorer version: 0.2-1.1 commands: zeitgeist-explorer name: zemberek-java-demo version: 2.1.1-8.2 commands: zemberek-demo name: zemberek-server version: 0.7.1-12.2 commands: zemberek-server name: zendframework-bin version: 1.12.20+dfsg-1ubuntu1 commands: zf name: zenlisp version: 2013.11.22-2build1 commands: zenlisp,zl name: zenmap version: 7.60-1ubuntu5 commands: nmapfe,xnmap,zenmap name: zephyr-clients version: 3.1.2-1build2 commands: zaway,zctl,zhm,zleave,zlocate,znol,zshutdown_notify,zstat,zwgc,zwrite name: zephyr-server version: 3.1.2-1build2 commands: zephyrd name: zephyr-server-krb5 version: 3.1.2-1build2 commands: zephyrd name: zeroc-glacier2 version: 3.7.0-5 commands: glacier2router name: zeroc-ice-compilers version: 3.7.0-5 commands: slice2cpp,slice2cs,slice2html,slice2java,slice2js,slice2objc,slice2php,slice2py,slice2rb name: zeroc-ice-utils version: 3.7.0-5 commands: iceboxadmin,icegridadmin,icegriddb,icepatch2calc,icepatch2client,icestormadmin,icestormdb name: zeroc-icebox version: 3.7.0-5 commands: icebox,icebox++11 name: zeroc-icebridge version: 3.7.0-5 commands: icebridge name: zeroc-icegrid version: 3.7.0-5 commands: icegridnode,icegridregistry name: zeroc-icegridgui version: 3.7.0-5 commands: icegridgui name: zeroc-icepatch2 version: 3.7.0-5 commands: icepatch2server name: zescrow-client version: 1.7-0ubuntu1 commands: zEscrow,zEscrow-cli,zEscrow-gui,zescrow name: zfcp-hbaapi-utils version: 2.1.1-0ubuntu2 commands: zfcp_ping,zfcp_show name: zfs-test version: 0.7.5-1ubuntu15 commands: raidz_test name: zfsnap version: 1.11.1-5.1 commands: zfSnap name: zftp version: 20061220+dfsg3-4.3ubuntu1 commands: zftp name: zh-autoconvert version: 0.3.16-4build1 commands: autob5,autogb name: zhcon version: 1:0.2.6-11build2 commands: zhcon name: zile version: 2.4.14-7 commands: editor,zile name: zim version: 0.68~rc1-2 commands: zim name: zimpl version: 3.3.4-2 commands: zimpl name: zinnia-utils version: 0.06-2.1ubuntu1 commands: zinnia,zinnia_convert,zinnia_learn name: zipcmp version: 1.1.2-1.1 commands: zipcmp name: zipmerge version: 1.1.2-1.1 commands: zipmerge name: zipper.app version: 1.5-1build3 commands: Zipper name: ziproxy version: 3.3.1-2.1 commands: ziproxy,ziproxylogtool name: ziptool version: 1.1.2-1.1 commands: ziptool name: zita-ajbridge version: 0.7.0-1 commands: zita-a2j,zita-j2a name: zita-alsa-pcmi-utils version: 0.2.0-4ubuntu2 commands: alsa_delay,alsa_loopback name: zita-at1 version: 0.6.0-1 commands: zita-at1 name: zita-bls1 version: 0.1.0-3 commands: zita-bls1 name: zita-lrx version: 0.1.0-3 commands: zita-lrx name: zita-mu1 version: 0.2.2-3 commands: zita-mu1 name: zita-njbridge version: 0.4.1-1 commands: zita-j2n,zita-n2j name: zita-resampler version: 1.6.0-2 commands: zita-resampler,zita-retune name: zita-rev1 version: 0.2.1-5 commands: zita-rev1 name: zivot version: 20013101-3.1build1 commands: zivot name: zktop version: 1.0.0-1 commands: zktop name: zmakebas version: 1.2-1.1build1 commands: zmakebas name: zmap version: 2.1.1-2build1 commands: zblacklist,zmap,ztee name: zmf2epub version: 0.9.6-1 commands: zmf2epub name: zmf2odg version: 0.9.6-1 commands: zmf2odg name: znc version: 1.6.6-1 commands: znc name: znc-dev version: 1.6.6-1 commands: znc-buildmod name: zoem version: 11-166-1.2 commands: zoem name: zomg version: 0.8-2ubuntu2 commands: zomg,zomghelper name: zonecheck version: 3.0.5-3 commands: zonecheck name: zonemaster-cli version: 1.0.5-1 commands: zonemaster-cli name: zookeeper version: 3.4.10-3 commands: zooinspector name: zookeeper-bin version: 3.4.10-3 commands: zktreeutil name: zoom-player version: 1.1.5~dfsg-4 commands: zcode-interpreter,zoom name: zope-common version: 0.5.54 commands: dzhandle name: zope-debhelper version: 0.3.16 commands: dh_installzope,dh_installzopeinstance name: zopfli version: 1.0.1+git160527-1 commands: zopfli,zopflipng name: zoph version: 0.9.4-4 commands: zoph name: zpaq version: 1.10-3 commands: zpaq name: zpspell version: 0.4.3-4.1build1 commands: zpspell name: zram-config version: 0.5 commands: end-zram-swapping,init-zram-swapping name: zsh-static version: 5.4.2-3ubuntu3 commands: zsh-static,zsh5-static name: zshdb version: 0.92-3 commands: zshdb name: zssh version: 1.5c.debian.1-4 commands: zssh,ztelnet name: zstd version: 1.3.3+dfsg-2ubuntu1 commands: pzstd,unzstd,zstd,zstdcat,zstdgrep,zstdless,zstdmt name: zsync version: 0.6.2-3ubuntu1 commands: zsync,zsyncmake name: ztclocalagent version: 5.0.0.30-0ubuntu2 commands: ZTCLocalAgent name: zulucrypt-cli version: 5.4.0-2build1 commands: zuluCrypt-cli name: zulucrypt-gui version: 5.4.0-2build1 commands: zuluCrypt-gui name: zulumount-cli version: 5.4.0-2build1 commands: zuluMount-cli name: zulumount-gui version: 5.4.0-2build1 commands: zuluMount-gui name: zulupolkit version: 5.4.0-2build1 commands: zuluPolkit name: zulusafe-cli version: 5.4.0-2build1 commands: zuluSafe-cli name: zurl version: 1.9.1-1ubuntu1 commands: zurl name: zutils version: 1.7-1 commands: zcat,zcmp,zdiff,zegrep,zfgrep,zgrep,ztest,zupdate name: zvbi version: 0.2.35-13 commands: zvbi-atsc-cc,zvbi-chains,zvbi-ntsc-cc,zvbid name: zygrib version: 8.0.1+dfsg.1-1 commands: zyGrib name: zynaddsubfx version: 3.0.3-1 commands: zynaddsubfx,zynaddsubfx-ext-gui name: zyne version: 0.1.2-2 commands: zyne name: zziplib-bin version: 0.13.62-3.1 commands: zzcat,zzdir,zzxorcat,zzxorcopy,zzxordir name: zzuf version: 0.15-1 commands: zzat,zzuf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/0000775000000000000000000000000014202510314022076 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/0000775000000000000000000000000014202510314023022 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/0000775000000000000000000000000014202510314023570 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-amd640000664000000000000000000000006614202510314026167 0ustar suite: bionic-backports component: main arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-arm640000664000000000000000000000006614202510314026205 0ustar suite: bionic-backports component: main arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-armhf0000664000000000000000000000006614202510314026351 0ustar suite: bionic-backports component: main arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-i3860000664000000000000000000000006514202510314025744 0ustar suite: bionic-backports component: main arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-ppc64el0000664000000000000000000000007014202510314026524 0ustar suite: bionic-backports component: main arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/main/cnf/Commands-s390x0000664000000000000000000000006614202510314026142 0ustar suite: bionic-backports component: main arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/0000775000000000000000000000000014202510314024275 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/0000775000000000000000000000000014202510314025043 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-amd640000664000000000000000000000007414202510314027441 0ustar suite: bionic-backports component: multiverse arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-arm640000664000000000000000000000007414202510314027457 0ustar suite: bionic-backports component: multiverse arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-armhf0000664000000000000000000000007414202510314027623 0ustar suite: bionic-backports component: multiverse arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-i3860000664000000000000000000000007314202510314027216 0ustar suite: bionic-backports component: multiverse arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-ppc64el0000664000000000000000000000007614202510314030005 0ustar suite: bionic-backports component: multiverse arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/multiverse/cnf/Commands-s390x0000664000000000000000000000007414202510314027414 0ustar suite: bionic-backports component: multiverse arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/0000775000000000000000000000000014202510314024246 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/0000775000000000000000000000000014202510314025014 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-amd640000664000000000000000000000007414202510314027412 0ustar suite: bionic-backports component: restricted arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-arm640000664000000000000000000000007414202510314027430 0ustar suite: bionic-backports component: restricted arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-armhf0000664000000000000000000000007414202510314027574 0ustar suite: bionic-backports component: restricted arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-i3860000664000000000000000000000007314202510314027167 0ustar suite: bionic-backports component: restricted arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-ppc64el0000664000000000000000000000007614202510314027756 0ustar suite: bionic-backports component: restricted arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/restricted/cnf/Commands-s390x0000664000000000000000000000007414202510314027365 0ustar suite: bionic-backports component: restricted arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/0000775000000000000000000000000014202510314023736 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/0000775000000000000000000000000014202510314024504 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-amd640000664000000000000000000000007214202510314027100 0ustar suite: bionic-backports component: universe arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-arm640000664000000000000000000000007214202510314027116 0ustar suite: bionic-backports component: universe arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-armhf0000664000000000000000000000007214202510314027262 0ustar suite: bionic-backports component: universe arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-i3860000664000000000000000000000007114202510314026655 0ustar suite: bionic-backports component: universe arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-ppc64el0000664000000000000000000000007414202510314027444 0ustar suite: bionic-backports component: universe arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-backports/universe/cnf/Commands-s390x0000664000000000000000000000007214202510314027053 0ustar suite: bionic-backports component: universe arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/0000775000000000000000000000000014202510314021741 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/0000775000000000000000000000000014202510314022665 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/0000775000000000000000000000000014202510314023433 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-amd640000664000000000000000000000664014202510314026036 0ustar suite: bionic-proposed component: main arch: amd64 name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-arm640000664000000000000000000000717614202510314026061 0ustar suite: bionic-proposed component: main arch: arm64 name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk name: zfs-zed version: 0.7.5-1ubuntu16 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu16 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-armhf0000664000000000000000000000717614202510314026225 0ustar suite: bionic-proposed component: main arch: armhf name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk name: zfs-zed version: 0.7.5-1ubuntu16 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu16 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-i3860000664000000000000000000000717514202510314025620 0ustar suite: bionic-proposed component: main arch: i386 name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk name: zfs-zed version: 0.7.5-1ubuntu16 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu16 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-ppc64el0000664000000000000000000000720014202510314026371 0ustar suite: bionic-proposed component: main arch: ppc64el name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk name: zfs-zed version: 0.7.5-1ubuntu16 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu16 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/main/cnf/Commands-s390x0000664000000000000000000000717614202510314026016 0ustar suite: bionic-proposed component: main arch: s390x name: cinder-backup version: 2:12.0.1-0ubuntu1 commands: cinder-backup name: cinder-common version: 2:12.0.1-0ubuntu1 commands: cinder-manage,cinder-rootwrap,cinder-rtstool,cinder-wsgi name: cinder-scheduler version: 2:12.0.1-0ubuntu1 commands: cinder-scheduler name: cinder-volume version: 2:12.0.1-0ubuntu1 commands: cinder-volume,cinder-volume-usage-audit name: cloud-init version: 18.2-27-g6ef92c98-0ubuntu1~18.04.1 commands: cloud-init,cloud-init-per name: designate-common version: 1:6.0.1-0ubuntu1 commands: designate-agent,designate-api,designate-central,designate-manage,designate-mdns,designate-pool-manager,designate-producer,designate-rootwrap,designate-sink,designate-worker,designate-zone-manager name: glance-api version: 2:16.0.1-0ubuntu1.1 commands: glance-api,glance-cache-cleaner,glance-cache-manage,glance-cache-prefetcher,glance-cache-pruner,glance-scrubber name: glance-common version: 2:16.0.1-0ubuntu1.1 commands: glance-control,glance-manage,glance-wsgi-api name: glance-registry version: 2:16.0.1-0ubuntu1.1 commands: glance-registry,glance-replicator name: gnome-session-bin version: 3.28.1-0ubuntu3 commands: gnome-session,gnome-session-custom-session,gnome-session-inhibit,gnome-session-quit,x-session-manager name: gnome-startup-applications version: 3.28.1-0ubuntu3 commands: gnome-session-properties name: linux-cloud-tools-common version: 4.15.0-21.22 commands: hv_fcopy_daemon,hv_get_dhcp_info,hv_get_dns_info,hv_kvp_daemon,hv_set_ifconfig,hv_vss_daemon,lsvmbus name: linux-tools-common version: 4.15.0-21.22 commands: acpidbg,cpupower,perf,turbostat,usbip,usbipd,x86_energy_perf_policy name: linux-tools-host version: 4.15.0-21.22 commands: kvm_stat name: neutron-common version: 2:12.0.1-0ubuntu1.1 commands: neutron-db-manage,neutron-debug,neutron-ipset-cleanup,neutron-keepalived-state-change,neutron-linuxbridge-cleanup,neutron-netns-cleanup,neutron-ovs-cleanup,neutron-pd-notify,neutron-rootwrap,neutron-rootwrap-daemon,neutron-rootwrap-xen-dom0,neutron-rpc-server,neutron-sanity-check,neutron-usage-audit name: neutron-dhcp-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-dhcp-agent name: neutron-l3-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-l3-agent name: neutron-linuxbridge-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-linuxbridge-agent name: neutron-metadata-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metadata-agent name: neutron-openvswitch-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-openvswitch-agent name: neutron-server version: 2:12.0.1-0ubuntu1.1 commands: neutron-server name: nova-api version: 2:17.0.3-0ubuntu1 commands: nova-api name: nova-common version: 2:17.0.3-0ubuntu1 commands: nova-manage,nova-policy,nova-rootwrap,nova-rootwrap-daemon,nova-status name: nova-compute version: 2:17.0.3-0ubuntu1 commands: nova-compute name: nova-conductor version: 2:17.0.3-0ubuntu1 commands: nova-conductor name: nova-network version: 2:17.0.3-0ubuntu1 commands: nova-dhcpbridge,nova-network name: nova-scheduler version: 2:17.0.3-0ubuntu1 commands: nova-scheduler name: python-neutron version: 2:12.0.1-0ubuntu1.1 commands: neutron-api name: python-nova version: 2:17.0.3-0ubuntu1 commands: nova-api-wsgi,nova-metadata-wsgi name: software-properties-common version: 0.96.24.32.2 commands: add-apt-repository,apt-add-repository name: software-properties-gtk version: 0.96.24.32.2 commands: software-properties-gtk name: zfs-zed version: 0.7.5-1ubuntu16 commands: zed name: zfsutils-linux version: 0.7.5-1ubuntu16 commands: arc_summary,arcstat,dbufstat,fsck.zfs,mount.zfs,zdb,zfs,zgenhostid,zhack,zinject,zpios,zpool,zstreamdump,ztest command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/0000775000000000000000000000000014202510314024140 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/0000775000000000000000000000000014202510314024706 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-amd640000664000000000000000000000007314202510314027303 0ustar suite: bionic-proposed component: multiverse arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-arm640000664000000000000000000000007314202510314027321 0ustar suite: bionic-proposed component: multiverse arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-armhf0000664000000000000000000000007314202510314027465 0ustar suite: bionic-proposed component: multiverse arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-i3860000664000000000000000000000007214202510314027060 0ustar suite: bionic-proposed component: multiverse arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-ppc64el0000664000000000000000000000007514202510314027647 0ustar suite: bionic-proposed component: multiverse arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/multiverse/cnf/Commands-s390x0000664000000000000000000000007314202510314027256 0ustar suite: bionic-proposed component: multiverse arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/0000775000000000000000000000000014202510314024111 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/0000775000000000000000000000000014202510314024657 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-amd640000664000000000000000000000007314202510314027254 0ustar suite: bionic-proposed component: restricted arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-arm640000664000000000000000000000007314202510314027272 0ustar suite: bionic-proposed component: restricted arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-armhf0000664000000000000000000000007314202510314027436 0ustar suite: bionic-proposed component: restricted arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-i3860000664000000000000000000000007214202510314027031 0ustar suite: bionic-proposed component: restricted arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-ppc64el0000664000000000000000000000007514202510314027620 0ustar suite: bionic-proposed component: restricted arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/restricted/cnf/Commands-s390x0000664000000000000000000000007314202510314027227 0ustar suite: bionic-proposed component: restricted arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/0000775000000000000000000000000014202510314023601 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/0000775000000000000000000000000014202510314024347 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-amd640000664000000000000000000000441214202510314026745 0ustar suite: bionic-proposed component: universe arch: amd64 name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-arm640000664000000000000000000000451014202510314026762 0ustar suite: bionic-proposed component: universe arch: arm64 name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde name: zfs-test version: 0.7.5-1ubuntu16 commands: raidz_test command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-armhf0000664000000000000000000000451014202510314027126 0ustar suite: bionic-proposed component: universe arch: armhf name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde name: zfs-test version: 0.7.5-1ubuntu16 commands: raidz_test command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-i3860000664000000000000000000000450714202510314026530 0ustar suite: bionic-proposed component: universe arch: i386 name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde name: zfs-test version: 0.7.5-1ubuntu16 commands: raidz_test command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-ppc64el0000664000000000000000000000451214202510314027310 0ustar suite: bionic-proposed component: universe arch: ppc64el name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde name: zfs-test version: 0.7.5-1ubuntu16 commands: raidz_test command-not-found-18.04.6/CommandNotFound/db/dists/bionic-proposed/universe/cnf/Commands-s390x0000664000000000000000000000451014202510314026717 0ustar suite: bionic-proposed component: universe arch: s390x name: boinc-client version: 7.9.3+dfsg-5ubuntu1 commands: boinc,boinccmd,update-boinc-applinks name: boinc-manager version: 7.9.3+dfsg-5ubuntu1 commands: boincmgr name: boinc-screensaver version: 7.9.3+dfsg-5ubuntu1 commands: boincscr name: neutron-macvtap-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-macvtap-agent name: neutron-metering-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-metering-agent name: neutron-sriov-agent version: 2:12.0.1-0ubuntu1.1 commands: neutron-sriov-nic-agent name: nova-api-metadata version: 2:17.0.3-0ubuntu1 commands: nova-api-metadata name: nova-api-os-compute version: 2:17.0.3-0ubuntu1 commands: nova-api-os-compute name: nova-cells version: 2:17.0.3-0ubuntu1 commands: nova-cells name: nova-console version: 2:17.0.3-0ubuntu1 commands: nova-console name: nova-consoleauth version: 2:17.0.3-0ubuntu1 commands: nova-consoleauth name: nova-novncproxy version: 2:17.0.3-0ubuntu1 commands: nova-novncproxy name: nova-placement-api version: 2:17.0.3-0ubuntu1 commands: nova-placement-api name: nova-serialproxy version: 2:17.0.3-0ubuntu1 commands: nova-serialproxy name: nova-spiceproxy version: 2:17.0.3-0ubuntu1 commands: nova-spicehtml5proxy name: nova-xvpvncproxy version: 2:17.0.3-0ubuntu1 commands: nova-xvpvncproxy name: python-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python2-gnocchi-api,python2-gnocchi-change-sack-size,python2-gnocchi-config-generator,python2-gnocchi-metricd,python2-gnocchi-statsd,python2-gnocchi-upgrade name: python-neutron-dynamic-routing version: 2:12.0.0-0ubuntu1.1 commands: neutron-bgp-dragent name: python3-gnocchi version: 4.2.4-0ubuntu1 commands: gnocchi-api,gnocchi-change-sack-size,gnocchi-config-generator,gnocchi-metricd,gnocchi-statsd,gnocchi-upgrade,python3-gnocchi-api,python3-gnocchi-change-sack-size,python3-gnocchi-config-generator,python3-gnocchi-metricd,python3-gnocchi-statsd,python3-gnocchi-upgrade name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: software-properties-kde version: 0.96.24.32.2 commands: software-properties-kde name: zfs-test version: 0.7.5-1ubuntu16 commands: raidz_test command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/0000775000000000000000000000000014202510314021755 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/0000775000000000000000000000000014202510314022701 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/0000775000000000000000000000000014202510314023447 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-amd640000664000000000000000000000303214202510314026042 0ustar suite: bionic-security component: main arch: amd64 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-arm640000664000000000000000000000303214202510314026060 0ustar suite: bionic-security component: main arch: arm64 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-armhf0000664000000000000000000000303214202510314026224 0ustar suite: bionic-security component: main arch: armhf name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-i3860000664000000000000000000000303114202510314025617 0ustar suite: bionic-security component: main arch: i386 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-ppc64el0000664000000000000000000000303414202510314026406 0ustar suite: bionic-security component: main arch: ppc64el name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/main/cnf/Commands-s390x0000664000000000000000000000303214202510314026015 0ustar suite: bionic-security component: main arch: s390x name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/0000775000000000000000000000000014202510314024154 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/0000775000000000000000000000000014202510314024722 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-amd640000664000000000000000000000007314202510314027317 0ustar suite: bionic-security component: multiverse arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-arm640000664000000000000000000000007314202510314027335 0ustar suite: bionic-security component: multiverse arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-armhf0000664000000000000000000000007314202510314027501 0ustar suite: bionic-security component: multiverse arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-i3860000664000000000000000000000007214202510314027074 0ustar suite: bionic-security component: multiverse arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-ppc64el0000664000000000000000000000007514202510314027663 0ustar suite: bionic-security component: multiverse arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/multiverse/cnf/Commands-s390x0000664000000000000000000000007314202510314027272 0ustar suite: bionic-security component: multiverse arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/0000775000000000000000000000000014202510314024125 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/0000775000000000000000000000000014202510314024673 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-amd640000664000000000000000000000007314202510314027270 0ustar suite: bionic-security component: restricted arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-arm640000664000000000000000000000007314202510314027306 0ustar suite: bionic-security component: restricted arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-armhf0000664000000000000000000000007314202510314027452 0ustar suite: bionic-security component: restricted arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-i3860000664000000000000000000000007214202510314027045 0ustar suite: bionic-security component: restricted arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-ppc64el0000664000000000000000000000007514202510314027634 0ustar suite: bionic-security component: restricted arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/restricted/cnf/Commands-s390x0000664000000000000000000000007314202510314027243 0ustar suite: bionic-security component: restricted arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/0000775000000000000000000000000014202510314023615 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/0000775000000000000000000000000014202510314024363 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-amd640000664000000000000000000000043014202510314026755 0ustar suite: bionic-security component: universe arch: amd64 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-arm640000664000000000000000000000043014202510314026773 0ustar suite: bionic-security component: universe arch: arm64 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-armhf0000664000000000000000000000043014202510314027137 0ustar suite: bionic-security component: universe arch: armhf name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-i3860000664000000000000000000000042714202510314026541 0ustar suite: bionic-security component: universe arch: i386 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-ppc64el0000664000000000000000000000043214202510314027321 0ustar suite: bionic-security component: universe arch: ppc64el name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-security/universe/cnf/Commands-s390x0000664000000000000000000000043014202510314026730 0ustar suite: bionic-security component: universe arch: s390x name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/0000775000000000000000000000000014202510314021553 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/0000775000000000000000000000000014202510314022477 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/0000775000000000000000000000000014202510314023245 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-amd640000664000000000000000000000303114202510314025637 0ustar suite: bionic-updates component: main arch: amd64 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-arm640000664000000000000000000000303114202510314025655 0ustar suite: bionic-updates component: main arch: arm64 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-armhf0000664000000000000000000000303114202510314026021 0ustar suite: bionic-updates component: main arch: armhf name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-i3860000664000000000000000000000303014202510314025414 0ustar suite: bionic-updates component: main arch: i386 name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-ppc64el0000664000000000000000000000303314202510314026203 0ustar suite: bionic-updates component: main arch: ppc64el name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/main/cnf/Commands-s390x0000664000000000000000000000303114202510314025612 0ustar suite: bionic-updates component: main arch: s390x name: apache2 version: 2.4.29-1ubuntu4.1 commands: a2disconf,a2dismod,a2dissite,a2enconf,a2enmod,a2ensite,a2query,apache2ctl,apachectl name: apache2-bin version: 2.4.29-1ubuntu4.1 commands: apache2 name: apache2-dev version: 2.4.29-1ubuntu4.1 commands: apxs,apxs2,dh_apache2 name: apache2-utils version: 2.4.29-1ubuntu4.1 commands: ab,check_forensic,checkgid,fcgistarter,htcacheclean,htdbm,htdigest,htpasswd,httxt2dbm,logresolve,rotatelogs,split-logfile name: ghostscript version: 9.22~dfsg+1-0ubuntu1.1 commands: dvipdf,eps2eps,ghostscript,gs,gsbj,gsdj,gsdj500,gslj,gslp,gsnd,pdf2dsc,pdf2ps,pf2afm,pfbtopfa,pphs,printafm,ps2ascii,ps2epsi,ps2pdf,ps2pdf12,ps2pdf13,ps2pdf14,ps2pdfwr,ps2ps,ps2ps2,ps2txt,update-gsfontmap name: libmysqlclient-dev version: 5.7.22-0ubuntu18.04.1 commands: mysql_config name: mysql-client-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisam_ftdump,mysql_config_editor,mysqladmin,mysqlanalyze,mysqldump,mysqldumpslow,mysqlimport,mysqloptimize,mysqlpump,mysqlrepair,mysqlreport,mysqlshow,mysqlslap name: mysql-client-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql,mysql_embedded,mysqlcheck name: mysql-server-5.7 version: 5.7.22-0ubuntu18.04.1 commands: myisamchk,myisamlog,myisampack,mysql_plugin,mysql_secure_installation,mysql_ssl_rsa_setup,mysql_tzinfo_to_sql,mysqlbinlog,mysqld_multi,mysqld_safe,perror,replace,resolveip name: mysql-server-core-5.7 version: 5.7.22-0ubuntu18.04.1 commands: innochecksum,my_print_defaults,mysql_install_db,mysql_upgrade,mysqld command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/0000775000000000000000000000000014202510314023752 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/0000775000000000000000000000000014202510314024520 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-amd640000664000000000000000000000007214202510314027114 0ustar suite: bionic-updates component: multiverse arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-arm640000664000000000000000000000007214202510314027132 0ustar suite: bionic-updates component: multiverse arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-armhf0000664000000000000000000000007214202510314027276 0ustar suite: bionic-updates component: multiverse arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-i3860000664000000000000000000000007114202510314026671 0ustar suite: bionic-updates component: multiverse arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-ppc64el0000664000000000000000000000007414202510314027460 0ustar suite: bionic-updates component: multiverse arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/multiverse/cnf/Commands-s390x0000664000000000000000000000007214202510314027067 0ustar suite: bionic-updates component: multiverse arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/0000775000000000000000000000000014202510314023723 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/0000775000000000000000000000000014202510314024471 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-amd640000664000000000000000000000007214202510314027065 0ustar suite: bionic-updates component: restricted arch: amd64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-arm640000664000000000000000000000007214202510314027103 0ustar suite: bionic-updates component: restricted arch: arm64 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-armhf0000664000000000000000000000007214202510314027247 0ustar suite: bionic-updates component: restricted arch: armhf command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-i3860000664000000000000000000000007114202510314026642 0ustar suite: bionic-updates component: restricted arch: i386 command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-ppc64el0000664000000000000000000000007414202510314027431 0ustar suite: bionic-updates component: restricted arch: ppc64el command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/restricted/cnf/Commands-s390x0000664000000000000000000000007214202510314027040 0ustar suite: bionic-updates component: restricted arch: s390x command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/0000775000000000000000000000000014202510314023413 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/0000775000000000000000000000000014202510314024161 5ustar command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-amd640000664000000000000000000000065014202510314026557 0ustar suite: bionic-updates component: universe arch: amd64 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-arm640000664000000000000000000000065014202510314026575 0ustar suite: bionic-updates component: universe arch: arm64 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-armhf0000664000000000000000000000065014202510314026741 0ustar suite: bionic-updates component: universe arch: armhf name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-i3860000664000000000000000000000064714202510314026343 0ustar suite: bionic-updates component: universe arch: i386 name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-ppc64el0000664000000000000000000000065214202510314027123 0ustar suite: bionic-updates component: universe arch: ppc64el name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/dists/bionic-updates/universe/cnf/Commands-s390x0000664000000000000000000000065014202510314026532 0ustar suite: bionic-updates component: universe arch: s390x name: mysql-testsuite-5.7 version: 5.7.22-0ubuntu18.04.1 commands: mysql_client_test,mysql_client_test_embedded,mysqltest,mysqltest_embedded name: snapcraft version: 2.42+18.04.2 commands: snapcraft,snapcraftctl name: snapcraft-parser version: 2.42+18.04.2 commands: snapcraft-parser name: wavpack version: 5.1.0-2ubuntu1.1 commands: wavpack,wvgain,wvtag,wvunpack command-not-found-18.04.6/CommandNotFound/db/tests/0000775000000000000000000000000014201210125016655 5ustar command-not-found-18.04.6/CommandNotFound/db/tests/__init__.py0000664000000000000000000000000014201210125020754 0ustar command-not-found-18.04.6/CommandNotFound/db/tests/data/0000775000000000000000000000000014201210125017566 5ustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/0000775000000000000000000000000014201210125020356 5ustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/0000775000000000000000000000000014201210125021124 5ustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/0000775000000000000000000000000014201210125021710 5ustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/0000775000000000000000000000000014201210125023046 5ustar ././@LongLink0000644000000000000000000000022500000000000007772 Lustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubuntu_dists_artful-proposed_main_cnf_Commands-amd64command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubun0000664000000000000000000000076314201210125030136 0ustar suite: bionic-proposed component: main arch: amd64 name: autopoint version: 0.19.8.1-4ubuntu3 commands: autopoint name: bc version: 1.07.1-1 commands: bc name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bsdutils version: 1:2.30.2-0.1ubuntu3 commands: script,wall,scriptreplay,renice,logger name: btrfs-progs version: 4.15.1-1 commands: btrfs-find-root,btrfs-image,btrfs-zero-log,btrfs-debug-tree,btrfs,fsck.btrfs,btrfstune,btrfsck,mkfs.btrfs,btrfs-select-super,btrfs-map-logical ././@LongLink0000644000000000000000000000022400000000000007771 Lustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubuntu_dists_artful-proposed_main_cnf_Commands-i386command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubun0000664000000000000000000000076214201210125030135 0ustar suite: bionic-proposed component: main arch: i386 name: autopoint version: 0.19.8.1-4ubuntu3 commands: autopoint name: bc version: 1.07.1-1 commands: bc name: bcrelay version: 1.4.0-11build1 commands: bcrelay name: bsdutils version: 1:2.30.2-0.1ubuntu3 commands: renice,script,wall,scriptreplay,logger name: btrfs-progs version: 4.15.1-1 commands: btrfs-select-super,btrfs-zero-log,btrfsck,btrfs-find-root,fsck.btrfs,btrfs-image,btrfs,mkfs.btrfs,btrfs-map-logical,btrfstune,btrfs-debug-tree ././@LongLink0000644000000000000000000000021400000000000007770 Lustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubuntu_dists_artful_main_cnf_Commands-amd64command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubun0000664000000000000000000000041314201210125030126 0ustar suite: bionic component: main arch: amd64 name: autopoint version: 0.19.8.1-4ubuntu2 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: bc version: 1.06.95-9build2 commands: bc ././@LongLink0000644000000000000000000000021300000000000007767 Lustar command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubuntu_dists_artful_main_cnf_Commands-i386command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/de.archive.ubuntu.com_ubun0000664000000000000000000000105214201210125030126 0ustar suite: bionic component: main arch: i386 name: autopkgtest version: 5.1 commands: autopkgtest,autopkgtest-build-lxc,autopkgtest-build-lxd,autopkgtest-buildvm-ubuntu-cloud,autopkgtest-virt-chroot,autopkgtest-virt-lxc,autopkgtest-virt-lxd,autopkgtest-virt-null,autopkgtest-virt-qemu,autopkgtest-virt-schroot,autopkgtest-virt-ssh name: autopoint version: 0.19.8.1-4ubuntu2 commands: autopoint name: autotools-dev version: 20180224.1 commands: dh_autotools-dev_restoreconfig,dh_autotools-dev_updateconfig name: bc version: 1.06.95-9build2 commands: bc command-not-found-18.04.6/CommandNotFound/db/tests/data/var/lib/apt/lists/zzz_Commands-amd640000664000000000000000000000025214201210125026357 0ustar suite: bionic-newer component: main arch: amd64 name: autopoint version: 99:0.19.8.1-4ubuntu2 commands: autopoint name: autopoint-tng version: 1.0 commands: autopoint command-not-found-18.04.6/CommandNotFound/db/tests/test_db.py0000664000000000000000000001654214201210125020663 0ustar #!/usr/bin/python import os import shutil import tempfile import unittest import logging logging.basicConfig(level=logging.DEBUG) from CommandNotFound.db.creator import DbCreator from CommandNotFound.db.db import SqliteDatabase mock_commands_bionic_backports = """suite: bionic-backports component: main arch: all name: bsdutils version: 99.0 commands: script,wall,new-stuff-only-in-backports """ mock_commands_bionic_proposed = """suite: bionic-proposed component: main arch: all name: bsdutils version: 2.0 commands: script,wall """ mock_commands_bionic = """suite: bionic component: main arch: all name: bsdutils version: 1.0 commands: script,wall,removed-in-version-2.0 name: bzr1 version: 1.0 commands: bzr name: bzr2 version: 2.7 commands: bzr name: aaa-openjre-7 version: 7 commands: java name: default-jre version: 8 priority-bonus: 5 commands: java name: python2.7-minimal visible-pkgname: python2.7 version: 2.7 commands: python2.7 name: foo version: 3.0 commands: foo-cmd,ignore-me ignore-commands: ignore-me """ mock_commands_bionic_universe = """suite: bionic component: universe arch: all name: bzr-tng version: 3.0 commands: bzr """ class DbTestCase(unittest.TestCase): def setUp(self): self.tmpdir = tempfile.mkdtemp() def tearDown(self): shutil.rmtree(self.tmpdir) def make_mock_commands_file(self, suite, content): path = os.path.join(self.tmpdir, "var", "lib", "apt", "lists", "archive.ubuntu.com_ubuntu_dists_%s_Commands-all" % suite) try: os.makedirs(os.path.dirname(path)) except OSError: pass with open(path, "w") as fp: fp.write(content) return path def test_create_trivial_db(self): mock_commands_file = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) cre = DbCreator([mock_commands_file]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) self.assertEqual( db.lookup("wall"), [("bsdutils", "1.0", "main")]) self.assertEqual( db.lookup("removed-in-version-2.0"), [("bsdutils", "1.0", "main")]) def test_create_multiple_dbs(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) mock_commands_2 = self.make_mock_commands_file( "bionic-proposed_main", mock_commands_bionic_proposed) cre = DbCreator([mock_commands_1, mock_commands_2]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) # newer version 2.0 ovrride older version 1.0 self.assertEqual( db.lookup("wall"), [("bsdutils", "2.0", "main")]) # binaries from older versions do not linger around self.assertEqual( db.lookup("removed-in-version-2.0"), []) # versions only from a single file are available self.assertEqual( db.lookup("bzr"), [ ("bzr1", "1.0", "main"), ("bzr2", "2.7", "main"), ]) def test_create_backports_excluded_dbs(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) mock_commands_2 = self.make_mock_commands_file( "bionic-backports_main", mock_commands_bionic_backports) cre = DbCreator([mock_commands_1, mock_commands_2]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) self.assertEqual( db.lookup("wall"), [("bsdutils", "1.0", "main")]) self.assertEqual( db.lookup("new-stuff-only-in-backports"), []) def test_create_no_versions_does_not_crash(self): mock_commands = self.make_mock_commands_file( "bionic_main", mock_commands_bionic.replace("version: 1.0\n", "")) cre = DbCreator([mock_commands]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) self.assertEqual( db.lookup("wall"), [("bsdutils", "", "main")]) def test_create_priorities_work(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) mock_commands_2 = self.make_mock_commands_file( "bionic_universe", mock_commands_bionic_universe) self.assertNotEqual(mock_commands_1, mock_commands_2) cre = DbCreator([mock_commands_1, mock_commands_2]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) for i in range(100): # ensure that we always sort "main" before universe" # and that the same component is sorted alphabetically self.assertEqual( db.lookup("bzr"), [ ("bzr1", "1.0", "main"), ("bzr2", "2.7", "main"), ("bzr-tng", "3.0", "universe"), ]) def test_priorities_bonus_works(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) cre = DbCreator([mock_commands_1]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) for i in range(100): self.assertEqual( db.lookup("java"), [ ("default-jre", "8", "main"), ("aaa-openjre-7", "7", "main"), ]) def test_visible_pkgname_works(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) cre = DbCreator([mock_commands_1]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) for i in range(100): self.assertEqual( db.lookup("python2.7"), [("python2.7", "2.7", "main")]) def test_create_multiple_no_unneeded_creates(self): mock_commands_1 = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) mock_commands_2 = self.make_mock_commands_file( "bionic-proposed_main", mock_commands_bionic_proposed) cre = DbCreator([mock_commands_1, mock_commands_2]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # ensure the metadata file was created self.assertTrue(os.path.exists(dbpath+".metadata")) # ensure the caching works and the db is not created twice st = os.stat(dbpath) cre.create(dbpath) self.assertEqual(st.st_mtime, os.stat(dbpath).st_mtime) def test_create_honors_ignore_comamnds(self): mock_commands_file = self.make_mock_commands_file( "bionic_main", mock_commands_bionic) cre = DbCreator([mock_commands_file]) dbpath = os.path.join(self.tmpdir, "test.db") cre.create(dbpath) # validate content db = SqliteDatabase(dbpath) # ignore-commands is correctly handled self.assertEqual( db.lookup("foo-cmd"), [("foo", "3.0", "main")]) self.assertEqual(db.lookup("igore-me"), []) command-not-found-18.04.6/CommandNotFound/tests/0000775000000000000000000000000014202510314016274 5ustar command-not-found-18.04.6/CommandNotFound/tests/__init__.py0000664000000000000000000000000014201210125020367 0ustar command-not-found-18.04.6/CommandNotFound/tests/test_command_not_found.py0000664000000000000000000001372114202510314023402 0ustar #!/usr/bin/python import json #import logging #logging.basicConfig(level=logging.DEBUG) import os import shutil import tempfile import unittest from CommandNotFound.CommandNotFound import ( CommandNotFound, SqliteDatabase, ) from CommandNotFound.db.creator import DbCreator test_specs = [ """ test: single snap advise snaps: spotify/1.0:x-spotify with: x-spotify Command 'x-spotify' not found, but can be installed with: sudo snap install spotify """, """ test: mixed advise, single snap debs: aws/1.0:x-aws,other-cmd snaps: aws-cli/2.0:x-aws with: x-aws Command 'x-aws' not found, but can be installed with: sudo snap install aws-cli # version 2.0, or sudo apt install aws # version 1.0 See 'snap info aws-cli' for additional versions. """, """ test: mixed advise, multi-snap debs: aws/1.0:x-aws,other-cmd snaps: aws-cli/2.0:x-aws;aws-cli-compat/0.1:x-aws with: x-aws Command 'x-aws' not found, but can be installed with: sudo snap install aws-cli # version 2.0, or sudo snap install aws-cli-compat # version 0.1 sudo apt install aws # version 1.0 See 'snap info ' for additional versions. """, """ test: single advise deb debs: pylint/1.0:x-pylint with: x-pylint Command 'x-pylint' not found, but can be installed with: sudo apt install pylint """, """ test: multi advise debs debs: vim/1.0:x-vi;neovim/2.0:x-vi with: x-vi Command 'x-vi' not found, but can be installed with: sudo apt install vim # version 1.0, or sudo apt install neovim # version 2.0 """, """ test: fuzzy advise debs only debs: vim/1.0:x-vi;neovim/2.0:x-vi with: x-via Command 'x-via' not found, did you mean: command 'x-vi' from deb vim (1.0) command 'x-vi' from deb neovim (2.0) Try: sudo apt install """, """ test: single advise snaps snaps: spotify/1.0:x-spotify with: x-spotify Command 'x-spotify' not found, but can be installed with: sudo snap install spotify """, """ test: multi advise snaps snaps: foo1/1.0:x-foo;foo2/2.0:x-foo with: x-foo Command 'x-foo' not found, but can be installed with: sudo snap install foo1 # version 1.0, or sudo snap install foo2 # version 2.0 See 'snap info ' for additional versions. """, """ test: mixed fuzzy advise debs: aws/1.0:x-aws,other-cmd snaps: aws-cli/2.0:x-aws with: x-awsX Command 'x-awsX' not found, did you mean: command 'x-aws' from snap aws-cli (2.0) command 'x-aws' from deb aws (1.0) See 'snap info ' for additional versions. """, """ test: many mispellings just prints a summary debs: lsa/1.0:lsa;lsb/1.0:lsb;lsc/1.0:lsc;lsd/1.0:lsd;lsd/1.0:lsd;lse/1.0:lse;lsf/1.0:lsf;lsg/1.0:lsg;lse/1.0:lsh;lse/1.0:lsh;lsi/1.0:lsi;lsj/1.0:lsj;lsk/1.0:lsk;lsl/1.0:lsl;lsm/1.0:lsm;lsn/1.0:lsn;lso/1.0:lso with: lsx Command 'lsx' not found, but there are 17 similar ones. """, ] class MockAptDB: def __init__(self): self._db = {} def lookup(self, command): return self._db.get(command, []) class CommandNotFoundOutputTest(unittest.TestCase): def setUp(self): self.tmpdir = tempfile.mkdtemp() self.cnf = CommandNotFound() self.cnf.snap_cmd = os.path.join(self.tmpdir, "mock-snap-cmd-%i") # FIXME: add this to the test spec to test the outputs for uid=0/1000 # and for sudo/no-sudo self.cnf.euid = 1000 self.cnf.user_can_sudo = True def tearDown(self): shutil.rmtree(self.tmpdir) def set_mock_snap_cmd_json(self, json): with open(self.cnf.snap_cmd, "w") as fp: fp.write("""#!/bin/sh set -e echo '%s' """ % json) os.chmod(self.cnf.snap_cmd, 0o755) def test_from_table(self): for i, spec in enumerate(test_specs): self._test_spec(spec) def _test_spec(self, spec): # setup self.cnf.db = MockAptDB() self.set_mock_snap_cmd_json(json.dumps([])) self.cnf.output_fd = open(os.path.join(self.tmpdir, "output"), "w") # read spec lines = spec.split("\n") test = "unkown test" for i, line in enumerate(lines): if line.startswith("debs: "): debs = line[len("debs: "):].split(";") for deb in debs: l = deb.split(":") name, ver = l[0].split("/") cmds = l[1].split(",") for cmd in cmds: if not cmd in self.cnf.db._db: self.cnf.db._db[cmd] = [] self.cnf.db._db[cmd].append( (name, ver, "main") ) if line.startswith("snaps: "): snaps = line[len("snaps: "):].split(";") mock_json = [] for snap in snaps: l = snap.split(":") name, ver = l[0].split("/") cmds = l[1].split(",") for cmd in cmds: mock_json.append({"Snap": name, "Command": cmd, "Version": ver}) self.set_mock_snap_cmd_json(json.dumps(mock_json)) if line.startswith("test: "): test = line[len("test: "):] if line.startswith("with: "): cmd = line[len("with: "):] break expected_output = "\n".join(lines[i+1:]) # run test self.cnf.advise(cmd) # validate with open(self.cnf.output_fd.name) as fp: output = fp.read() self.assertEqual(output, expected_output, "test '%s' broken" % test) # cleanup self.cnf.output_fd.close() class RegressionTestCase(unittest.TestCase): def test_lp1130444(self): tmpdir = tempfile.mkdtemp() self.addCleanup(shutil.rmtree, tmpdir) mock_commands_file = os.path.join(tmpdir, "Commands-all") with open(mock_commands_file, "w"): pass col = DbCreator([mock_commands_file]) col.create(os.path.join(tmpdir, "test.db")) db = SqliteDatabase(os.path.join(tmpdir, "test.db")) self.assertEqual(db.lookup("foo\udcb6"), []) command-not-found-18.04.6/CommandNotFound/tests/test_pyflakes.py0000775000000000000000000000105514201210125021523 0ustar import glob import os import subprocess import unittest class TestPyflakesClean(unittest.TestCase): """ ensure that the tree is pyflakes clean """ def setUp(self): self.paths = [] basedir = os.path.abspath(os.path.join(os.path.dirname(__file__), "..")) for dirpath, dirs, files in os.walk(basedir): self.paths.extend(glob.glob(dirpath+"/*.py")) def test_pyflakes3_clean(self): self.assertEqual(subprocess.check_call(['pyflakes3'] + self.paths), 0) if __name__ == "__main__": unittest.main() command-not-found-18.04.6/CommandNotFound/util.py0000664000000000000000000000315114201210125016455 0ustar # (c) Zygmunt Krynicki 2008 # Licensed under GPL, see COPYING for the whole text from __future__ import print_function import gettext import sys if sys.version >= "3": _gettext_method = "gettext" else: _gettext_method = "ugettext" _ = getattr(gettext.translation("command-not-found", fallback=True), _gettext_method) def crash_guard(callback, bug_report_url, version): """ Calls callback and catches all exceptions. When something bad happens prints a long error message with bug report information and exits the program""" try: try: callback() except Exception as ex: print(_("Sorry, command-not-found has crashed! Please file a bug report at:"), file=sys.stderr) print(bug_report_url, file=sys.stderr) print(_("Please include the following information with the report:"), file=sys.stderr) print(file=sys.stderr) print(_("command-not-found version: %s") % version, file=sys.stderr) print(_("Python version: %d.%d.%d %s %d") % sys.version_info, file=sys.stderr) try: import subprocess subprocess.call(["lsb_release", "-i", "-d", "-r", "-c"], stdout=sys.stderr) except (ImportError, OSError): pass print(_("Exception information:"), file=sys.stderr) print(file=sys.stderr) print(ex, file=sys.stderr) try: import traceback traceback.print_exc() except ImportError: pass finally: sys.exit(127) __all__ = ["crash_guard"] command-not-found-18.04.6/MANIFEST.in0000664000000000000000000000015314201210125013630 0ustar # the database recursive-include data/programs.d # the translations recursive-include po/ *.pot *.po *.mo command-not-found-18.04.6/README.md0000664000000000000000000000510414201210125013352 0ustar # Command-not-found This application implements the command-not-found spec at: https://wiki.ubuntu.com/CommandNotFoundMagic If you want automatic prompts to install the package, set COMMAND_NOT_FOUND_INSTALL_PROMPT in your environment. To use it in bash, please add the following line to your .bashrc file: . /etc/bash_command_not_found To use it in zsh, please add the following line to your .zshrc file: . /etc/zsh_command_not_found Note that it overrides the preexec and precmd functions, in case you have defined your own. ## Data sources Command-not-found will for the following data sources: 1. sqlite3 DB in /usr/share/command-not-found/commands.db, if that is *not* found it will fallback to (2) 2. legacy /usr/share/command-not-found/programs.d/*.db gdbm style database The datasource (1) is generated from data found on the archive server in deb822 format. The data is generated via https://code.launchpad.net/~mvo/command-not-found-extractor/+git/command-not-found-extractor and is downloaded via `apt update`. The datasource (2) is generated via a static `command-not-found-data` deb package. It is less rich and dynamic than (1) and should be considered legacy and only be used if no better data source is available. ### DB schemas #### Legacy DB: Simple key/value store with key `program_name` (e.g. bash) and value a comma separated list of packages that provide the program name. The filename indicates the component and architecuture via: `$component-$arch.db`. #### Sqlite3 DB: The database looks like this: ``` CREATE TABLE IF NOT EXISTS "commands" ( [command] TEXT PRIMARY KEY NOT NULL, [pkgID] INTEGER NOT NULL, FOREIGN KEY ([pkgID]) REFERENCES "pkgs" ([pkgID]) ); CREATE TABLE IF NOT EXISTS "packages" ( [pkgID] INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL, [name] TEXT, [version] TEXT, [priority] INTEGER ); ``` There is no need to store the component because we do not display that in c-n-f. Note that the "name" in the "pkgs" table may include an architecture qualifier. This is an optimization for multi-arch systems, by default if there is "bash:amd64" and "bash:i386" on an amd64 multi-arch systems we will not store "bash:i386" in the DB at all and will store "bash:amd64" just as "bash". However for commands that are only available for the foreign arch (e.g. "wine:i386") the full qualified package name is stored in the DB and used in the c-n-f output. ## Development To run the tests type: $ python -m unittest discover command-not-found-18.04.6/TODO0000664000000000000000000000210114201210125012555 0ustar TOP PRIORITY * Add a soundex encoded variant of the name to another database and make suggestions based on the similarity. * Gather cross-references for packages during the scan process PKG A: /bin/prog-a (+x) PGK B: /bin/prog-b -> /bin/prog-a (symlink) PKG B should record a dangling symlink that gets picked up by second phase scanner so that PKG B actually provides prog-b executable (even though the file is in other package) This is relevant for stuff like gcc which is registered as symlink using alternatives (we treat alternatives as symlinks during scanning) * Get Debian to adopt this package! MEDIUM PRIORITY * Modify the build system so that POT creation date is not re-set every time a package is buil ZK: disabled from now on, manual: make -C po update-po is needed to sync translations * Provide comprehensive suggestion database (sivang?) ZK: sivang is off the project for the moment LOW PRIORITY * Figure out why data (the empty directory) gets copied over /usr/share/command-not-found) * Suggest packages for the currently used desktop before other packages command-not-found-18.04.6/bash_command_not_found0000664000000000000000000000056314201210125016510 0ustar # (c) Zygmunt Krynicki 2005, # Licensed under GPL, see COPYING for the whole text # # This script will look-up command in the database and suggest # installation of packages available from the repository command_not_found_handle() { if [ -x /usr/lib/command-not-found ]; then /usr/lib/command-not-found -- "$1" return $? else return 127 fi } command-not-found-18.04.6/bzr/0000775000000000000000000000000014201210125012670 5ustar command-not-found-18.04.6/bzr/merge-with-ubuntu-core-dev0000775000000000000000000000013614201210125017710 0ustar #!/bin/bash bzr merge 'http://bazaar.launchpad.net/~ubuntu-core-dev/command-not-found/ubuntu' command-not-found-18.04.6/cnf-update-db0000775000000000000000000000134314202510314014437 0ustar #!/usr/bin/python3 import glob import logging import os import sys from CommandNotFound.db.creator import DbCreator from CommandNotFound import CommandNotFound if __name__ == "__main__": if "--debug" in sys.argv[1:]: logging.basicConfig(level=logging.DEBUG) elif "--verbose" in sys.argv[1:]: logging.basicConfig(level=logging.INFO) db = CommandNotFound.dbpath if not os.access(os.path.dirname(db), os.W_OK): print("datbase directory %s not writable" % db) sys.exit(0) command_files = glob.glob("/var/lib/apt/lists/*Commands-*") if len(command_files) > 0: umask = os.umask(0o22) col = DbCreator(command_files) col.create(db) os.umask(umask) command-not-found-18.04.6/command-not-found0000775000000000000000000000634414202510314015361 0ustar #!/usr/bin/python3 # (c) Zygmunt Krynicki 2005, 2006, 2007, 2008 # Licensed under GPL, see COPYING for the whole text from __future__ import absolute_import, print_function __version__ = "0.3" BUG_REPORT_URL = "https://bugs.launchpad.net/command-not-found/+filebug" try: import sys if sys.path and sys.path[0] == '/usr/lib': # Avoid ImportError noise due to odd installation location. sys.path.pop(0) if sys.version < '3': # We might end up being executed with Python 2 due to an old # /etc/bash.bashrc. import os if "COMMAND_NOT_FOUND_FORCE_PYTHON2" not in os.environ: os.execvp("/usr/bin/python3", [sys.argv[0]] + sys.argv) import gettext import locale from optparse import OptionParser from CommandNotFound.util import crash_guard from CommandNotFound import CommandNotFound except KeyboardInterrupt: import sys sys.exit(127) def enable_i18n(): cnf = gettext.translation("command-not-found", fallback=True) kwargs = {} if sys.version < '3': kwargs["unicode"] = True cnf.install(**kwargs) try: locale.setlocale(locale.LC_ALL, '') except locale.Error: locale.setlocale(locale.LC_ALL, 'C') def fix_sys_argv(encoding=None): """ Fix sys.argv to have only unicode strings, not binary strings. This is required by various places where such argument might be automatically coerced to unicode string for formatting """ if encoding is None: encoding = locale.getpreferredencoding() sys.argv = [arg.decode(encoding) for arg in sys.argv] class LocaleOptionParser(OptionParser): """ OptionParser is broken as its implementation of _get_encoding() uses sys.getdefaultencoding() which is ascii, what it should be using is locale.getpreferredencoding() which returns value based on LC_CTYPE (most likely) and allows for UTF-8 encoding to be used. """ def _get_encoding(self, file): encoding = getattr(file, "encoding", None) if not encoding: encoding = locale.getpreferredencoding() return encoding def main(): enable_i18n() if sys.version < '3': fix_sys_argv() parser = LocaleOptionParser( version=__version__, usage=_("%prog [options] ")) parser.add_option('-d', '--data-dir', action='store', default="/usr/share/command-not-found", help=_("use this path to locate data fields")) parser.add_option('--ignore-installed', '--ignore-installed', action='store_true', default=False, help=_("ignore local binaries and display the available packages")) parser.add_option('--no-failure-msg', action='store_true', default=False, help=_("don't print ': command not found'")) (options, args) = parser.parse_args() if len(args) == 1: cnf = CommandNotFound.CommandNotFound(options.data_dir) if not cnf.advise(args[0], options.ignore_installed) and not options.no_failure_msg: print(_("%s: command not found") % args[0], file=sys.stderr) if __name__ == "__main__": crash_guard(main, BUG_REPORT_URL, __version__) command-not-found-18.04.6/data/0000775000000000000000000000000014201210125013004 5ustar command-not-found-18.04.6/data/50command-not-found0000664000000000000000000000116114201210125016420 0ustar ## This file is provided by command-not-found(1) to download ## Commands metadata files. Acquire::IndexTargets { # The deb822 metadata files deb::CNF { MetaKey "$(COMPONENT)/cnf/Commands-$(NATIVE_ARCHITECTURE)"; ShortDescription "Commands-$(NATIVE_ARCHITECTURE)"; Description "$(RELEASE)/$(COMPONENT) $(NATIVE_ARCHITECTURE) c-n-f Metadata"; }; }; # Refresh AppStream cache when APT's cache is updated (i.e. apt update) APT::Update::Post-Invoke-Success { "if /usr/bin/test -w /var/lib/command-not-found/ -a -e /usr/lib/cnf-update-db; then /usr/lib/cnf-update-db > /dev/null; fi"; }; command-not-found-18.04.6/debian/0000775000000000000000000000000014202510314013321 5ustar command-not-found-18.04.6/debian/changelog0000664000000000000000000010471714202510314015205 0ustar command-not-found (18.04.6) bionic; urgency=medium [ Arnaud Rebillout ] * cnf: Bail out early if the database is not readable * cnf-update-db: Creates a world-readable database (Closes: #986461) * Add test to make sure that the database is world-readable [ Kellen Renshaw ] * Cherry-pick cnf-update-db umask fixes from 22.04 (LP: #1953610) -- Kellen Renshaw Mon, 14 Feb 2022 10:26:36 -0700 command-not-found (18.04.5) bionic; urgency=medium * Ensure /snap/bin is in PATH when checking for commands (LP: #1769088) -- Michael Vogt Sat, 05 May 2018 08:41:03 +0200 command-not-found (18.04.4) bionic; urgency=medium * Refresh the command indices. -- Steve Langasek Mon, 23 Apr 2018 15:14:35 -0700 command-not-found (18.04.3) bionic; urgency=medium * Change to (LP: #1764413) * Update static commands data -- Michael Vogt Tue, 17 Apr 2018 08:22:35 +0200 command-not-found (18.04.2) bionic; urgency=medium * Drop unused python2 python-commandnotfound package (LP: #1763082) * Build with pybuild to simplify debian/rules -- Jeremy Bicha Fri, 13 Apr 2018 10:12:03 -0400 command-not-found (18.04.1) bionic; urgency=medium * CommandNotFound/CommandNotFound.py: - add special case for "python" when "python3" is already installed - update static commands data deb packaging - update static commands data -- Michael Vogt Thu, 12 Apr 2018 09:53:10 +0200 command-not-found (18.04.0) bionic; urgency=medium * support "ignore-commands" tags to support blacklisting certain commands * update advise to print "but can be installed with:" * when multiple versions are found, write the first version as: "# version 1.0, or" (i.e. append ", or") -- Michael Vogt Tue, 03 Apr 2018 11:54:19 +0200 command-not-found (18.04.0~pre8) bionic; urgency=medium * Update CommandNotFound/db to latest bionic. -- Łukasz 'sil2100' Zemczak Wed, 28 Mar 2018 10:39:21 +0200 command-not-found (18.04.0~pre7) bionic; urgency=medium * Only rebuild commands.db if the inputs changed -- Michael Vogt Mon, 19 Mar 2018 12:03:58 +0100 command-not-found (18.04.0~pre6) bionic; urgency=medium * update output to the latest agreements with the various stakeholders -- Michael Vogt Fri, 16 Mar 2018 09:51:37 +0100 command-not-found (18.04.0~pre5) bionic; urgency=medium * fix ftbfs harder (mock posix.geteuid()) -- Michael Vogt Mon, 12 Mar 2018 12:15:23 +0100 command-not-found (18.04.0~pre4) bionic; urgency=medium * fix ftbfs * improve tests -- Michael Vogt Mon, 12 Mar 2018 12:07:33 +0100 command-not-found (18.04.0~pre3) bionic; urgency=medium * CommandNotFound/CommandNotFound.py: - fix bug in "command-not-found jq" where empty () was shown - fix output to match https://forum.snapcraft.io/t/4345/3/ - add output format tests -- Michael Vogt Sat, 10 Mar 2018 21:59:07 +0100 command-not-found (18.04.0~pre2) bionic; urgency=medium * add versionized dependencies from command-not-found on command-not-found-data and python3-commandnotfound * update output to the latest agreement -- Michael Vogt Wed, 07 Mar 2018 14:58:22 +0100 command-not-found (18.04.0~pre1) bionic; urgency=medium * New version: - switch from gdbm to sqlite (smaller files and faster searches) - will fetch "dists/bionic/*/binary-*/cnf/Commands-* files once the archive provides them - CLI output follows what is outlined in LP: #1749777 - command-not-found-data switched to consume Commands-* files (package can be dropped/emptied once server side Commands-* files are available) - support for suggestions based on snap packages - add autopkgtest to the package -- Michael Vogt Wed, 28 Feb 2018 14:26:58 +0100 command-not-found (0.3ubuntu18.04.0~pre4) bionic; urgency=medium * CommandNotFound/CommandNotFound.py: - do not show stderr from snap output -- Michael Vogt Sat, 17 Feb 2018 17:09:01 +0100 command-not-found (0.3ubuntu18.04.0~pre3) bionic; urgency=medium * CommandNotFound/CommandNotFound.py: - limit input to 256 chars to avoid DoS (LP: #1605732) - add support for suggesting commands snap from snaps (needs snapd 2.31+ to work) - add "snapd" to suggests -- Michael Vogt Thu, 15 Feb 2018 09:15:40 +0100 command-not-found (0.3ubuntu18.04.0~pre2) bionic; urgency=medium * Update scan.data to latest bionic. * Add pyflakes test and make pyflakes clean. * Update README to markdown and include how to run the tests. -- Michael Vogt Tue, 13 Feb 2018 14:37:32 +0100 command-not-found (0.3ubuntu18.04.0~pre1) bionic; urgency=medium * Update scan.data to bionic. -- Michael Vogt Thu, 21 Dec 2017 09:07:18 +0100 command-not-found (0.3ubuntu17.10.2) artful; urgency=medium * Update scan.data after a new "artful" archive scan (LP: #1739467) -- Michael Vogt Wed, 20 Dec 2017 19:29:20 +0100 command-not-found (0.3ubuntu17.10.1) artful; urgency=medium * Update scan.data for new changes in artful. -- Łukasz 'sil2100' Zemczak Mon, 25 Sep 2017 10:22:26 -0400 command-not-found (0.3ubuntu17.10.0) artful; urgency=medium * Removing not used directory /usr/share/command-not-found/data/ -- Dominique Ramaekers Mon, 31 Jul 2017 17:23:52 +0200 command-not-found (0.3ubuntu17.04.2) zesty; urgency=medium * Update scan.data for zesty final release. -- Adam Conrad Mon, 10 Apr 2017 07:13:34 -0600 command-not-found (0.3ubuntu17.04.1) zesty; urgency=medium * Update scan.data for new changes in zesty. -- Adam Conrad Mon, 20 Mar 2017 17:13:54 -0600 command-not-found (0.3ubuntu17.04.0) zesty; urgency=medium [ Dominique Ramaekers ] * Fix crash on unreasonable long input (LP: #1643167) [ Michael Vogt ] * Updated the scan.data for zesty -- Michael Vogt Wed, 14 Dec 2016 07:37:52 +0100 command-not-found (0.3ubuntu16.10.0) yakkety; urgency=medium * command-not-found: Specify full path to python3 (LP: #1585696) * debian/rules: rm UnifiedDataExtractor/scan.data-old on clean. * Update data for yakkety, and add s390x database (LP: #1593592) -- Adam Conrad Fri, 17 Jun 2016 00:41:31 -0600 command-not-found (0.3ubuntu16.04.1) xenial; urgency=medium * ./update-from-web.sh: adjust script to not hardcode scp username. * Update data again for some late changes in xenial. -- Steve Langasek Fri, 22 Apr 2016 11:24:59 -0700 command-not-found (0.3ubuntu16.04) xenial; urgency=medium * update data to latest xenial -- Michael Vogt Thu, 14 Apr 2016 09:15:31 +0200 command-not-found (0.3ubuntu16.04~pre2) xenial; urgency=medium * Merge lp:command-not-found: - use apt, instead of apt-get. -- Dimitri John Ledkov Fri, 05 Feb 2016 05:59:46 +0000 command-not-found (0.3ubuntu16.04~pre1) xenial; urgency=medium * updated for xenial -- Michael Vogt Thu, 14 Jan 2016 19:53:31 +0100 command-not-found (0.3ubuntu15.10.1) wily; urgency=low * updated for latest wily -- Michael Vogt Tue, 25 Aug 2015 10:32:14 +0200 command-not-found (0.3ubuntu15.10.0) wily; urgency=low [ Carsten Hey ] * Update /etc/zsh_command_not_found: - Don't overwrite an already defined command-not-found handler. - Don't try to run command-not-found if the package has been removed since the shell has been started. [ Michael Vogt ] * updated for latest wily -- Michael Vogt Tue, 21 Jul 2015 08:02:05 +0200 command-not-found (0.3ubuntu15.3) vivid; urgency=low * updated for vivid (LP: #1439438) -- Michael Vogt Mon, 20 Apr 2015 18:37:06 +0200 command-not-found (0.3ubuntu15.2) vivid; urgency=low * updated for vivid -- Michael Vogt Mon, 23 Mar 2015 15:41:32 +0100 command-not-found (0.3ubuntu15.1) utopic-proposed; urgency=low * scan.data updated * blacklist postgresql-xc (LP: #1384864) -- Michael Vogt Tue, 28 Oct 2014 09:42:24 +0100 command-not-found (0.3ubuntu15) utopic; urgency=low * update scan.data for utopic-rc -- Michael Vogt Mon, 13 Oct 2014 16:20:42 +0200 command-not-found (0.3ubuntu14) utopic; urgency=low * update scan.data -- Michael Vogt Fri, 12 Sep 2014 16:08:21 +0200 command-not-found (0.3ubuntu13) utopic; urgency=low * add python3 suggestion if a user types "python" (LP: #1306682) * do not crash for invalid unicode (LP: #1130444) * update scan.data to latest utopic -- Michael Vogt Wed, 16 Jul 2014 08:03:59 +0200 command-not-found (0.3ubuntu12) trusty; urgency=low * updated scan.data for trusty (main architectures & ports) -- Michael Vogt Thu, 03 Apr 2014 08:12:33 +0200 command-not-found (0.3ubuntu11) trusty; urgency=low * python-commandnotfound needs to breaks/replaces with command-not-found from precise. (LP: #1296072) -- Rolf Leggewie Sat, 22 Mar 2014 23:25:21 +0800 command-not-found (0.3ubuntu10) trusty; urgency=medium [ Anthony Wong ] * Fix locale.Error: unsupported locale setting bug (LP: #1029204) -- Dimitri John Ledkov Fri, 21 Mar 2014 12:04:22 +0000 command-not-found (0.3ubuntu9) trusty; urgency=medium * Rebuild to drop files installed into /usr/share/pyshared. -- Matthias Klose Sun, 23 Feb 2014 13:46:33 +0000 command-not-found (0.3ubuntu8) saucy; urgency=low [ Gerhard Burger ] * Patch to fix traceback when getting input in Python 2 environment. (LP: #1073919) -- Barry Warsaw Mon, 29 Jul 2013 18:37:17 -0400 command-not-found (0.3ubuntu7) raring; urgency=low [ Danilo Segan ] * Reintroduce Python2 support with python-commandnotfound package. (LP: #1123193) [ Barry Warsaw ] * Move the Python 3 library to the python3-commandnotfound package, and build depend command-not-found on that. * debian/control: Bump to Standards-Version: 3.9.4 * debian/rules: Remove --without=python-support as no longer needed. -- Danilo Segan Wed, 20 Feb 2013 09:51:10 +0100 command-not-found (0.3ubuntu6) raring; urgency=low * Build depend on python3-all. -- Dmitrijs Ledkovs Fri, 26 Oct 2012 11:19:07 +0100 command-not-found (0.3ubuntu5) quantal; urgency=low * updated for the RC release, re-scan archive now that the internal archive mirror is up-to-date again * blacklist pentium-builder (LP: #1062043) -- Michael Vogt Tue, 09 Oct 2012 13:39:27 +0200 command-not-found (0.3ubuntu4) quantal; urgency=low * updated for beta2 -- Michael Vogt Tue, 25 Sep 2012 08:59:00 +0200 command-not-found (0.3ubuntu3) quantal; urgency=low * updated to the latest data from quantal -- Michael Vogt Thu, 30 Aug 2012 15:45:20 +0200 command-not-found (0.3ubuntu2) quantal; urgency=low [ Michael Vogt ] * update dependency/build-dependencies for the py3 port to fix ftbfs * update all scripts to run as py3 * update extractor to use data from bignay [ Colin Watson ] * Add several debhelper overrides to cope with the lack of buildsystem support for Python 3. * Drop Python 2 build-dependencies. -- Michael Vogt Fri, 29 Jun 2012 13:46:06 +0200 command-not-found (0.3ubuntu1) quantal; urgency=low * initial quantal upload - this still includes metadata from precise as rookery is not updating the command-not-found data exports * includes python3 port, thanks to Colin Watson -- Michael Vogt Tue, 26 Jun 2012 20:20:58 +0200 command-not-found (0.2.46ubuntu6) precise; urgency=low * Import sys again in command-not-found's KeyboardInterrupt handler (LP: #864461). * Forcibly remove /usr/lib from the start of sys.path to avoid unsightly ImportWarning noise (LP: #983875). * Update scan.data to current precise. -- Colin Watson Tue, 17 Apr 2012 12:35:51 +0100 command-not-found (0.2.46ubuntu5) precise; urgency=low * scan.data: - updated to current precise -- Michael Vogt Thu, 23 Feb 2012 18:06:00 +0100 command-not-found (0.2.46ubuntu4) precise; urgency=low * Fix debian/rules to work correctly when we're not building arch-indep packages. -- Steve Langasek Thu, 09 Feb 2012 23:28:07 +0000 command-not-found (0.2.46ubuntu3) precise; urgency=low * Check for the always-present sudo group first, so that checking for 'admin' on new installs doesn't raise a key error by mistake. LP: #893842. -- Steve Langasek Thu, 09 Feb 2012 14:46:59 -0800 command-not-found (0.2.46ubuntu2) precise; urgency=low * use dh8 and simplify rules file * updated to current precise -- Michael Vogt Fri, 03 Feb 2012 10:10:52 +0100 command-not-found (0.2.46ubuntu1) precise; urgency=low * merged from lp:command-not-found trunk: - add support for automatic install prompt (enable via the COMMAND_NOT_FOUND_INSTALL_PROMPT environment) - fix java recommends (LP: #853688) - add --no-failure-msg - improved zsh support from Alex Jurkiewicz - auto-installation support for root users from Serhiy Zahoriya -- Michael Vogt Fri, 13 Jan 2012 10:39:15 +0100 command-not-found (0.2.45ubuntu3) precise; urgency=low * Use the right group name ('sudo', not 'sudoers'). LP: #893842. -- Steve Langasek Thu, 12 Jan 2012 14:21:01 +0100 command-not-found (0.2.45ubuntu2) precise; urgency=low * scan.data: - updated to current precise -- Michael Vogt Fri, 06 Jan 2012 11:53:21 +0100 command-not-found (0.2.44.1ubuntu3) precise; urgency=low * Recognize the 'sudo' group as a valid admin group as well, so that we return the correct error message for those with admin access. LP: #893842. -- Steve Langasek Mon, 02 Jan 2012 14:47:43 -0800 command-not-found (0.2.44.1ubuntu2) precise; urgency=low * Rebuild to drop python2.6 dependencies. -- Matthias Klose Sat, 31 Dec 2011 02:01:46 +0000 command-not-found (0.2.44.1ubuntu1) oneiric-proposed; urgency=low * updated to the latest data from oneiric (LP: #882276) -- Michael Vogt Tue, 22 Nov 2011 09:13:22 +0100 command-not-found (0.2.44ubuntu1) oneiric; urgency=low * merged lp:~zkrynicki/command-not-found/fix-839609 LP: #839609 * scan.data: - updated to current oneiric -- Michael Vogt Tue, 20 Sep 2011 15:48:12 +0200 command-not-found (0.2.43ubuntu1) oneiric; urgency=low [ Zygmunt Krynicki ] * lp:~zkrynicki/command-not-found/rework-locale-support: - improved gettext handling -- Michael Vogt Thu, 25 Aug 2011 15:15:50 +0200 command-not-found (0.2.42ubuntu2) oneiric; urgency=low * update to curernt oneiric, this includes the new data from http://ports.ubuntu.com/~mvo/command-not-found/ to get more up-to-date data for the ports -- Michael Vogt Thu, 25 Aug 2011 10:12:59 +0200 command-not-found (0.2.42ubuntu1) oneiric; urgency=low [ Michael Vogt ] * updated data to current oneiric [ Zygmunt Krynicki ] * merged lp:~fahlgren/command-not-found/speedup thanks to Daniel Fahlgren -- Michael Vogt Wed, 10 Aug 2011 15:09:19 +0200 command-not-found (0.2.41ubuntu6) UNRELEASED; urgency=low * merged lp:~julien-nicoulaud/command-not-found/fix-zsh-hook, many thanks to Julien Nicoulaud (LP: #624565) ents -- Michael Vogt Mon, 15 Aug 2011 16:56:18 +0200 command-not-found (0.2.41ubuntu5) oneiric; urgency=low * updated for alpha3 -- Michael Vogt Mon, 01 Aug 2011 20:08:36 +0200 command-not-found (0.2.41ubuntu4) oneiric; urgency=low * updated to current oneiric -- Michael Vogt Fri, 01 Jul 2011 15:32:10 +0100 command-not-found (0.2.41ubuntu3) oneiric; urgency=low [ Steve Langasek ] * Migrate to dh_python2. LP: #788514. [ Michael Vogt ] * automatically update the scan.data in the pre-build.sh hook (thanks to Steve Langasek for this suggestion) * updated to oneiric -- Michael Vogt Fri, 10 Jun 2011 08:56:44 +0200 command-not-found (0.2.41ubuntu2) natty; urgency=low * updated for final natty -- Michael Vogt Tue, 19 Apr 2011 13:07:19 +0200 command-not-found (0.2.41ubuntu1) natty; urgency=low * updated to current natty * updated to include ports.ubuntu.com as well in the scan.data set (LP: #533031) -- Michael Vogt Tue, 05 Apr 2011 14:15:19 +0200 command-not-found (0.2.40ubuntu21) natty; urgency=low * scan.data: - updated for beta1 -- Michael Vogt Fri, 25 Mar 2011 21:48:16 +0100 command-not-found (0.2.40ubuntu20) natty; urgency=low * scan.data: - updated for alpha3 -- Michael Vogt Tue, 01 Mar 2011 10:11:33 +0100 command-not-found (0.2.40ubuntu19) natty; urgency=low * scan.data: - updated to current natty -- Michael Vogt Thu, 17 Feb 2011 17:08:56 +0100 command-not-found (0.2.40ubuntu18) natty; urgency=low * scan.data: - updated to current natty -- Michael Vogt Thu, 27 Jan 2011 16:56:22 +0100 command-not-found (0.2.40ubuntu17) natty; urgency=low * scan.data: - updated to current natty -- Michael Vogt Fri, 07 Jan 2011 11:06:41 +0100 command-not-found (0.2.40ubuntu16) natty; urgency=low * scan.data: - updated to current natty -- Michael Vogt Thu, 02 Dec 2010 14:26:56 +0100 command-not-found (0.2.40ubuntu15) maverick; urgency=low * scan.data: - updated to current maverick -- Michael Vogt Thu, 16 Sep 2010 15:54:41 +0200 command-not-found (0.2.40ubuntu14) maverick; urgency=low * scan.data: - updated for maverick beta -- Michael Vogt Fri, 27 Aug 2010 17:15:58 +0200 command-not-found (0.2.40ubuntu13) maverick; urgency=low * debian/rules: - generate pot during build (LP: #549106), thanks to David Planella -- Michael Vogt Fri, 13 Aug 2010 12:23:33 +0200 command-not-found (0.2.40ubuntu12) maverick; urgency=low * scan.data: - updated for maverick alpha-3 -- Michael Vogt Wed, 04 Aug 2010 11:59:09 +0200 command-not-found (0.2.40ubuntu11) maverick; urgency=low * scan.data: - updated for maverick alpha-2 -- Michael Vogt Wed, 30 Jun 2010 10:13:52 +0200 command-not-found (0.2.40ubuntu10) maverick; urgency=low [ Rolf Leggewie ] * fix spelling error s/priviledge/privilege/. LP: #574577 [ Michael Vogt ] * scan.data: - updated for maverick alpha-1 -- Michael Vogt Mon, 31 May 2010 16:55:04 +0200 command-not-found (0.2.40ubuntu5) lucid; urgency=low * scan.data: - updated for RC -- Michael Vogt Thu, 15 Apr 2010 09:59:35 +0200 command-not-found (0.2.40ubuntu4) lucid; urgency=low * updated for beta2 -- Michael Vogt Tue, 06 Apr 2010 08:45:24 +0200 command-not-found (0.2.40ubuntu3) lucid; urgency=low * CommandNotFound/CommandNotFound.py: - cherry pick "add numbers to the alphabet used for suggestions " from trunk (r116) (LP: #507760) * scan.data: - updated for beta-1 -- Michael Vogt Mon, 15 Mar 2010 09:36:32 +0100 command-not-found (0.2.40ubuntu2) lucid; urgency=low * scan.data: - updated to current lucid -- Michael Vogt Wed, 24 Feb 2010 13:40:40 +0100 command-not-found (0.2.40ubuntu1) lucid; urgency=low * scan.data: - updated to current lucid * command-not-found: - catch KeyboardInterrupt during initial import as well (LP: #479716) - show "command not found" string only when no command was found (LP: #408020) -- Michael Vogt Mon, 11 Jan 2010 09:30:41 +0100 command-not-found (0.2.38ubuntu4) karmic; urgency=low * updated to current karmic * fix pacakge suggestion for "tex" (LP: #427850) -- Michael Vogt Tue, 13 Oct 2009 09:19:23 +0200 command-not-found (0.2.38ubuntu3) karmic; urgency=low * updated for BETA -- Michael Vogt Fri, 02 Oct 2009 09:21:05 +0200 command-not-found (0.2.38ubuntu2) karmic; urgency=low * updated for alpha6 -- Michael Vogt Wed, 16 Sep 2009 11:02:39 +0200 command-not-found (0.2.38ubuntu1) karmic; urgency=low * updated data to current karmic * print error if a command is not found (bash used to do that but with bash-4.0 it does no longer) LP: #420161 -- Michael Vogt Wed, 02 Sep 2009 16:13:17 +0200 command-not-found (0.2.37ubuntu3) karmic; urgency=low * updated data to current karmic -- Michael Vogt Tue, 18 Aug 2009 09:08:51 +0200 command-not-found (0.2.37ubuntu2) karmic; urgency=low * scan.data: - updated for alpha-3 * CommandNotFound/CommandNotFound.py: - do not give advice if apt-get is not installed (LP: #394842) -- Michael Vogt Mon, 20 Jul 2009 13:17:27 +0200 command-not-found (0.2.37ubuntu1) karmic; urgency=low * CommandNotFound/CommandNotFound.py: - set min_length for mispelling suggestion to 3 (LP: #396829) - set max_length for mispelling suggestion to 15, if there are more, just a summary is printed -- Michael Vogt Fri, 10 Jul 2009 10:44:00 +0200 command-not-found (0.2.36ubuntu1) karmic; urgency=low * scan.data: updated to current karmic * scan.data: add exception for gftp (LP: #99708) * debian/postinst: - if old/leftover /etc/bash_command_found_found is there, remove it (LP: #379851) * debian/rules: - build with DH_PYCENTRAL=include-links LP: #342003 * CommandNotFound/util.py: - use try gettext if lgettext fails (LP: #282446) * debian/copyright: - fix location (LP: #314478) * CommandNotFound/CommandNotFound.py: - be more robust about missing priority.txt (LP: #359784) - add simple spelling correction (LP: #314486) * debian/control: - build for all python versions (LP: #366096) -- Michael Vogt Fri, 26 Jun 2009 13:58:24 +0200 command-not-found (0.2.35ubuntu2) karmic; urgency=low * scan.data: updated for alpha-2 -- Michael Vogt Mon, 08 Jun 2009 11:58:06 +0200 command-not-found (0.2.35ubuntu1) karmic; urgency=low * zsh_command_not_found: - Use the pseudo-namespace prefix cnf_ for everything. - Append the preexec/precmd functions to zsh’s pre*_functions arrays, allowing other pre* functions to be used simultaneously. -- Johan Kiviniemi Fri, 15 May 2009 22:13:00 +0300 command-not-found (0.2.34ubuntu3) jaunty; urgency=low * scan.data: - updated for RC -- Michael Vogt Fri, 17 Apr 2009 10:11:13 +0200 command-not-found (0.2.34ubuntu2) jaunty; urgency=low * scan.data: - updated to current jaunty -- Michael Vogt Tue, 07 Apr 2009 21:58:51 +0200 command-not-found (0.2.34ubuntu1) jaunty; urgency=low * CommandNotFound/CommandNotFound.py: - support "priority.txt" file that allows basic priority ordering in the output * data/priority.txt: - add initial version with "openjdk-6-jdk" (LP: #318442) -- Michael Vogt Mon, 23 Mar 2009 13:45:26 +0100 command-not-found (0.2.33ubuntu3) jaunty; urgency=low * scan.data: - updated for jaunty beta * suggest pythonX.Y instead of pythonX.Y-minimal when "pythonX.Y" is not found -- Michael Vogt Mon, 23 Mar 2009 11:07:26 +0100 command-not-found (0.2.33ubuntu2) jaunty; urgency=low * scan.data: updated to current jaunty -- Michael Vogt Mon, 16 Mar 2009 09:21:37 +0100 command-not-found (0.2.33ubuntu1) jaunty; urgency=low * debian/rules: - update debian/rules to the new python way of installing packages * command-not-found: - remove "-S" from "#!/usr/bin/python" -- Michael Vogt Mon, 02 Mar 2009 09:15:48 +0100 command-not-found (0.2.32ubuntu1) jaunty; urgency=low [ Steve Langasek ] * CommandNotFound/CommandNotFound.py: - add support for sorting by components [ Michael Vogt ] * scan.data: updated -- Michael Vogt Thu, 26 Feb 2009 16:34:20 +0100 command-not-found (0.2.31ubuntu2) jaunty; urgency=low * scan.data: fix git data (LP: #318433) by updating to the latest data -- Michael Vogt Thu, 22 Jan 2009 08:53:25 +0100 command-not-found (0.2.31ubuntu1) jaunty; urgency=low * scan.data: updated for jaunty alpha3 -- Michael Vogt Mon, 12 Jan 2009 21:08:22 +0100 command-not-found (0.2.30ubuntu1) jaunty; urgency=low [ Nick Ellery ] * Fixed spelling errors in package description (LP: #285631). [ Michael Vogt ] * add verify_scan_data.py to check against component mismatches and incorrect architecture fields * improve diff-scan-data.py -- Nick Ellery Tue, 04 Nov 2008 17:13:45 -0800 command-not-found (0.2.26ubuntu1) intrepid; urgency=low * scan.data updated to current intrepid -- Michael Vogt Wed, 15 Oct 2008 17:45:26 +0200 command-not-found (0.2.25ubuntu2) intrepid; urgency=low [ Era Eriksson ] * Print where-to-find-command, incorrect-PATH, and crash-guard messages to stderr rather than stdout (LP: #212723). [ Colin Watson ] * Fix various crash bugs in the crash handler (LP: #269821). * Adjust crash handler syntax to be friendly to Python 2.4 (LP: #234540). -- Colin Watson Wed, 15 Oct 2008 13:27:20 +0100 command-not-found (0.2.25ubuntu1) intrepid; urgency=low * command-not-found data updated for beta -- Michael Vogt Thu, 25 Sep 2008 20:43:10 +0200 command-not-found (0.2.24ubuntu1) intrepid; urgency=low * updated scan.data for alpha-6 -- Michael Vogt Fri, 12 Sep 2008 23:05:26 +0200 command-not-found (0.2.23ubuntu1) intrepid; urgency=low [ Zygmunt Krynicki ] * fix crash when PATH is unset (LP: #258572) [ Michael Vogt ] * scan.data: - updated to current intrepid -- Michael Vogt Wed, 20 Aug 2008 15:57:14 +0200 command-not-found (0.2.22ubuntu1) intrepid; urgency=low [ Zygmunt Krynicki ] * Fixed some locale issues and enchanced error reporting [ Michael Vogt ] * scan.data: - updated to current intrepid -- Michael Vogt Mon, 11 Aug 2008 18:24:21 +0200 command-not-found (0.2.21ubuntu1) intrepid; urgency=low * scan.data: - updated to current intrepid -- Michael Vogt Mon, 21 Jul 2008 14:22:17 +0200 command-not-found (0.2.20ubuntu1) intrepid; urgency=low * scan.data: - updated for intrepid -- Michael Vogt Mon, 30 Jun 2008 16:46:44 +0200 command-not-found (0.2.17ubuntu1) hardy; urgency=low * scan.data: - upated for RC -- Michael Vogt Fri, 11 Apr 2008 10:59:54 +0200 command-not-found (0.2.16ubuntu1) hardy; urgency=low * updated to latest hardy -- Michael Vogt Fri, 04 Apr 2008 10:36:34 +0200 command-not-found (0.2.15ubuntu1) hardy; urgency=low [ Kjell Braden ] * Don't run command-not-found from the shell scripts when it has been removed in the meantime (LP: #194939) [ Michael Vogt ] * CommandNotFound/CommandNotFound.py: - do not advise on ".." (LP: # 195090) - thanks to Thomas Perl - do not crash on problems with python-apt (LP: #161804) * debian/control: - improve description (LP: #144153) * command-not-found: - make the crash message a bit more friendly * use lgettext() instead of gettext() (LP: #161159) -- Michael Vogt Fri, 07 Mar 2008 10:01:20 +0100 command-not-found (0.2.14ubuntu1) hardy; urgency=low * updated data for alpha-6 * fixed bug in data extraction code for hardlinks (git-diff and friends was not in the index because of this) -- Michael Vogt Tue, 04 Mar 2008 17:00:42 +0100 command-not-found (0.2.13ubuntu1) hardy; urgency=low * updated data for alpha-5 -- Michael Vogt Tue, 19 Feb 2008 19:24:40 +0100 command-not-found (0.2.12ubuntu1) hardy; urgency=low * updated data for alpha-3 -- Michael Vogt Mon, 07 Jan 2008 15:25:11 +0100 command-not-found (0.2.11ubuntu3) hardy; urgency=low * CommandNotFound/CommandNotFound.py: When $HOME is not set, fall back to /root instead of crashing with a type error. (LP: #177934) -- Martin Pitt Thu, 03 Jan 2008 15:57:51 +0100 command-not-found (0.2.11ubuntu2) hardy; urgency=low * python-gdbm added to Depends, not just b-d -- Rick Clark Sun, 09 Dec 2007 15:51:19 -0500 command-not-found (0.2.11ubuntu1) hardy; urgency=low * fix FTBFS by adding missing b-d on python-gdbm (thanks to Michael Bienia) -- Michael Vogt Tue, 04 Dec 2007 10:52:32 +0100 command-not-found (0.2.10ubuntu1) hardy; urgency=low * command-not-found: - add --ignore-installed parameter to display the packages that have the given command even if the command is installed * updated data for hardy -- Michael Vogt Mon, 03 Dec 2007 21:43:49 +0100 command-not-found (0.2.9ubuntu1) hardy; urgency=low * switch from dbm to gdbm -- Michael Vogt Sat, 10 Nov 2007 14:51:51 -0500 command-not-found (0.2.8ubuntu2) gutsy; urgency=low * debian/control: - fix command not found description * scan.data updated to current gutsy -- Michael Vogt Sat, 06 Oct 2007 13:06:23 +0200 command-not-found (0.2.8ubuntu1) gutsy; urgency=low [ Michael Vogt ] * added missing pyhton-apt dependency (LP: #138842) [ Niklas Klein ] * CommandNotFound/CommandNotFound.py added test for propper set PATH variable. Backport from version 0.3 (LP: #111255). -- Niklas Klein Fri, 24 Sep 2007 09:33:22 +0200 command-not-found (0.2.7) gutsy; urgency=low [Zygmunt Krynicki] * data/suggestions.d: - removed * CommandNotFound/CommandNotFound.py: - fix typo in string substitution (LP: #131435) - only print components that are really required (LP: #133869) * setup.py: - move to /usr/lib, no end-user application (LP: #112411) -- Michael Vogt Wed, 22 Aug 2007 06:49:01 +0200 command-not-found (0.2.6) gutsy; urgency=low * updated command-not-found data to current gutsy -- Michael Vogt Fri, 17 Aug 2007 22:00:55 +0200 command-not-found (0.2.5) gutsy; urgency=low * Send output to stderr, not stdout (LP: #129257). -- Colin Watson Mon, 30 Jul 2007 17:12:32 +0100 command-not-found (0.2.4) feisty; urgency=low [ Michael Vogt ] * remove support for suggestins.d/ dir (not used currently and may break stuff) [ Zygmunt Krynicki ] * Fixed launchpad #95794: warning emitted about not finding group name * data files updated [ Johan Kiviniemi ] * zsh_command_not_found: unset the command variable, otherwise an empty line will rerun command-not-found. Thanks to Chris Ball for suggesting this (LP: #92942). -- Michael Vogt Tue, 10 Apr 2007 17:39:09 +0200 command-not-found (0.2.3) feisty; urgency=low [Johan Kiviniemi] * zsh_command_not_found, README, setup.py: Added support for zsh. (LP#92942, thanks!) -- Michael Vogt Fri, 16 Mar 2007 23:57:58 +0100 command-not-found (0.2.2) feisty; urgency=low * refreshed database to current feisty * set maintainer field to ubuntu -- Michael Vogt Fri, 16 Mar 2007 19:00:49 +0100 command-not-found (0.2.1) feisty; urgency=low * always return 127 to be compatible with the shell (lp: #67726) * make the message less confusing for non-admin users (Thanks to Chris Wagner for his patch, lp: #64220) * Grammar fixes (lp: #64542) -- Michael Vogt Thu, 11 Jan 2007 18:11:08 +0100 command-not-found (0.2.0) feisty; urgency=low [Zygmunt Krynicki] * applied patch from Daniel Werner * minor fixes to the suggestions database * updated the README file [Michael Vogt] * make the extraction skip package not available in the current distro release * updated the binary database with the latest feisty * show component information for other components than main -- Michael Vogt Fri, 5 Jan 2007 09:56:15 +0100 command-not-found (0.1.0) edgy; urgency=low [Zygmunt Krynicki] * updated the suggestions database * added support for update-alternative calls in the postinst (yeah!) * code cleanups [Michael Vogt] * updated the binary database wit the latest edgy * the command-not-found-data is build pre arch now -- Michael Vogt Tue, 12 Sep 2006 19:33:33 +0200 command-not-found (0.0.2) edgy; urgency=low * return 127 to bash if nothing was found in the database * update the database -- Michael Vogt Thu, 10 Aug 2006 15:05:14 +0200 command-not-found (0.0.1) edgy; urgency=low * initial release * start of the implementation of https://wiki.ubuntu.com/CommandNotFoundMagic * contains the current commands on edgy -- Michael Vogt Thu, 24 Nov 2005 16:34:54 +0100 command-not-found-18.04.6/debian/command-not-found-data.install0000664000000000000000000000003414202510314021142 0ustar usr/share/command-not-found command-not-found-18.04.6/debian/command-not-found.install0000664000000000000000000000001514201210125020226 0ustar etc/ usr/bin command-not-found-18.04.6/debian/compat0000664000000000000000000000000214201216417014525 0ustar 8 command-not-found-18.04.6/debian/control0000664000000000000000000000276014202510314014731 0ustar Source: command-not-found Section: admin Priority: optional Maintainer: Michael Vogt XSBC-Original-Maintainer: Zygmunt Krynicki Build-Depends: debhelper (>= 8), devscripts, dh-python, intltool, pyflakes3, python3-all, python3-apt, python3-distutils-extra Standards-Version: 3.9.4 XS-Vcs-Bzr: http://launchpad.net/~ubuntu-core-dev/command-not-found/ubuntu X-Python3-Version: >= 3.2 Package: command-not-found Architecture: all Depends: python3-commandnotfound (= ${binary:Version}), ${misc:Depends} Suggests: snapd Description: Suggest installation of packages in interactive bash sessions This package will install a handler for command_not_found that looks up programs not currently installed but available from the repositories. Package: command-not-found-data Architecture: any Depends: ${misc:Depends} Description: Set of data files for command-not-found. This package provides the required data used by the command-not-found application. Package: python3-commandnotfound Section: python Architecture: all Replaces: command-not-found (<< 0.3ubuntu7) Depends: command-not-found-data (= ${binary:Version}), lsb-release, python3-apt, python3-gdbm, ${misc:Depends}, ${python3:Depends} Description: Python 3 bindings for command-not-found. This package will install the Python 3 library for command_not_found tool. command-not-found-18.04.6/debian/copyright0000664000000000000000000000072114201216417015262 0ustar This package was debianized by Michael Vogt on Fri, 31 May 2005 10:10:41 +0100. It was downloaded via bzr from https://code.launchpad.net/~zkrynicki/command-not-found/main The ubuntu source is at: https://code.edge.launchpad.net/~ubuntu-core-dev/command-not-found/ubuntu Upstream Author: Zygmunt Krynicki Michael Vogt Copyright: GPL, see /usr/share/common-licenses/GPL command-not-found-18.04.6/debian/dirs0000664000000000000000000000004214201210125014175 0ustar usr/bin var/lib/command-not-found command-not-found-18.04.6/debian/docs0000664000000000000000000000001214201210125014161 0ustar README.md command-not-found-18.04.6/debian/postinst0000664000000000000000000000153614201216417015142 0ustar #!/bin/sh # postinst script for command-not-found # # see: dh_installdeb(1) set -e # summary of how this script can be called: # * `configure' # * `abort-upgrade' # * `abort-remove' `in-favour' # # * `abort-remove' # * `abort-deconfigure' `in-favour' # `removing' # # for details, see http://www.debian.org/doc/debian-policy/ or # the debian-policy package case "$1" in configure) ;; abort-upgrade|abort-remove|abort-deconfigure) ;; *) echo "postinst called with unknown argument \`$1'" >&2 exit 1 ;; esac #DEBHELPER# exit 0 command-not-found-18.04.6/debian/python3-commandnotfound.install0000664000000000000000000000002114201210125021473 0ustar usr/lib/python3* command-not-found-18.04.6/debian/rules0000775000000000000000000000233114202510314014400 0ustar #!/usr/bin/make -f %: dh $@ --with=python3 --buildsystem=pybuild override_dh_auto_build: dh_auto_build # strip off version information - this will be outdated anyway # (this entire thing goes away once Commands-* is stored on the # archive server) find CommandNotFound/db/dists -name "Commands-*" -exec sed -i '/^version:/d' {} \; # build the binary database for the current architecture (cd CommandNotFound/db; \ ./creator.py commands.db ./dists/*/*/*/Commands-*; \ mv commands.db ../../data/) override_dh_install: dh_install ifneq (,$(filter command-not-found,$(shell dh_listpackages))) # Move our script from /usr/bin to /usr/lib (not meant for end-users) install -d $(CURDIR)/debian/command-not-found/usr/lib mv $(CURDIR)/debian/command-not-found/usr/bin/command-not-found $(CURDIR)/debian/command-not-found/usr/lib/command-not-found mv $(CURDIR)/debian/command-not-found/usr/bin/cnf-update-db $(CURDIR)/debian/command-not-found/usr/lib/cnf-update-db rmdir --ignore-fail-on-non-empty $(CURDIR)/debian/command-not-found/usr/bin # Get rid of bash integration script, got merged to bash rm $(CURDIR)/debian/command-not-found/etc/bash_command_not_found endif override_dh_auto_test: python3 -m unittest discover command-not-found-18.04.6/debian/tests/0000775000000000000000000000000014202510314014463 5ustar command-not-found-18.04.6/debian/tests/control0000664000000000000000000000010214201210125016053 0ustar Tests: smoke Restrictions: needs-root Depends: command-not-found command-not-found-18.04.6/debian/tests/smoke0000775000000000000000000000143714202510314015534 0ustar #!/bin/sh set -e echo "Ensure apt integration is installed" apt-config dump | grep -i Post-Invoke-Success | grep cnf-update-db echo "Ensure apt update runs without errors" apt-get update echo "Ensure we have results from c-n-f" /usr/lib/command-not-found --ignore-installed vim 2>&1 | grep vim /usr/lib/command-not-found --ignore-installed vim 2>&1 | grep vim-tiny echo "Add testuser" adduser --gecos="no" --disabled-password testuser echo "Ensure c-n-f works as user" su -l testuser -c "/usr/lib/command-not-found --ignore-installed konsole" 2>&1 | grep konsole echo "Ensure c-n-f database is world-readable" # cf. #986461 rm -f /var/lib/command-not-found/* (umask 0077 && /usr/lib/cnf-update-db) su -l testuser -c "/usr/lib/command-not-found --ignore-installed emacs" 2>&1 | grep emacs command-not-found-18.04.6/mirror/0000775000000000000000000000000014201210125013405 5ustar command-not-found-18.04.6/mirror/do-mirror0000775000000000000000000000077614201210125015257 0ustar ARCH_LIST="i386,amd64,powerpc,sparc" DIST="$(echo $0 | cut -d - -f 3)" SECTION_LIST="main,restricted,universe,multiverse" MIRROR_HOST="archive.ubuntu.com" MIRROR_METHOD="rsync" MIRROR_ROOT=":ubuntu" OPTIONS="--verbose --nosource --progress --arch=$ARCH_LIST --dist=$DIST,$DIST-updates,$DIST-backports --section=$SECTION_LIST --ignore-release-gpg --host=$MIRROR_HOST --method=$MIRROR_METHOD --root=$MIRROR_ROOT" debmirror $OPTIONS $MIRROR_HOST MIRROR_HOST="security.ubuntu.com" debmirror $OPTIONS $MIRROR_HOST command-not-found-18.04.6/mirror/do-mirror-edgy0000777000000000000000000000000014201210125020020 2do-mirrorustar command-not-found-18.04.6/po/0000775000000000000000000000000014202510314012515 5ustar command-not-found-18.04.6/po/POTFILES.in0000664000000000000000000000013714201210125014267 0ustar [encoding: UTF-8] CommandNotFound/CommandNotFound.py command-not-found CommandNotFound/util.py command-not-found-18.04.6/po/command-not-found.pot0000664000000000000000000000732114202510314016571 0ustar # SOME DESCRIPTIVE TITLE. # Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2012-05-31 20:07+0300\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" "Language: \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=CHARSET\n" "Content-Transfer-Encoding: 8bit\n" #: ../CommandNotFound/CommandNotFound.py:134 #, python-format msgid "No command '%s' found, but there are %s similar ones" msgstr "" #: ../CommandNotFound/CommandNotFound.py:136 #, python-format msgid "No command '%s' found, did you mean:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:138 #, python-format msgid " Command '%s' from package '%s' (%s)" msgstr "" #: ../CommandNotFound/CommandNotFound.py:197 msgid "Do you want to install it? (N/y)" msgstr "" #: ../CommandNotFound/CommandNotFound.py:201 msgid "y" msgstr "" #: ../CommandNotFound/CommandNotFound.py:228 #, python-format msgid "Command '%(command)s' is available in '%(place)s'" msgstr "" #: ../CommandNotFound/CommandNotFound.py:230 #, python-format msgid "Command '%(command)s' is available in the following places" msgstr "" #: ../CommandNotFound/CommandNotFound.py:235 #, python-format msgid "" "The command could not be located because '%s' is not included in the PATH " "environment variable." msgstr "" #: ../CommandNotFound/CommandNotFound.py:237 msgid "" "This is most likely caused by the lack of administrative privileges " "associated with your user account." msgstr "" #: ../CommandNotFound/CommandNotFound.py:252 #, python-format msgid "The program '%s' is currently not installed. " msgstr "" #: ../CommandNotFound/CommandNotFound.py:254 #: ../CommandNotFound/CommandNotFound.py:258 msgid "You can install it by typing:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:262 #, python-format msgid "" "To run '%(command)s' please ask your administrator to install the package " "'%(package)s'" msgstr "" #: ../CommandNotFound/CommandNotFound.py:264 #, python-format msgid "You will have to enable the component called '%s'" msgstr "" #: ../CommandNotFound/CommandNotFound.py:267 #, python-format msgid "The program '%s' can be found in the following packages:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:272 #, python-format msgid "You will have to enable component called '%s'" msgstr "" #: ../CommandNotFound/CommandNotFound.py:274 #: ../CommandNotFound/CommandNotFound.py:276 #, python-format msgid "Try: %s " msgstr "" #: ../CommandNotFound/CommandNotFound.py:278 msgid "Ask your administrator to install one of them" msgstr "" #: ../command-not-found:59 #, c-format msgid "%prog [options] " msgstr "" #: ../command-not-found:62 msgid "use this path to locate data fields" msgstr "" #: ../command-not-found:65 msgid "ignore local binaries and display the available packages" msgstr "" #: ../command-not-found:68 msgid "don't print ': command not found'" msgstr "" #: ../command-not-found:75 #, c-format msgid "%s: command not found" msgstr "" #: ../CommandNotFound/util.py:20 msgid "Sorry, command-not-found has crashed! Please file a bug report at:" msgstr "" #: ../CommandNotFound/util.py:22 msgid "Please include the following information with the report:" msgstr "" #: ../CommandNotFound/util.py:24 #, python-format msgid "command-not-found version: %s" msgstr "" #: ../CommandNotFound/util.py:25 #, python-format msgid "Python version: %d.%d.%d %s %d" msgstr "" #: ../CommandNotFound/util.py:31 msgid "Exception information:" msgstr "" command-not-found-18.04.6/po/de.po0000664000000000000000000000355514201210125013451 0ustar # SOME DESCRIPTIVE TITLE. # Copyright (C) YEAR THE PACKAGE'S COPYRIGHT HOLDER # This file is distributed under the same license as the PACKAGE package. # FIRST AUTHOR , YEAR. # #, fuzzy msgid "" msgstr "" "Project-Id-Version: PACKAGE VERSION\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2007-03-20 18:10+0100\n" "PO-Revision-Date: YEAR-MO-DA HO:MI+ZONE\n" "Last-Translator: FULL NAME \n" "Language-Team: LANGUAGE \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" #: ../CommandNotFound/CommandNotFound.py:135 msgid "Ubuntu has the following similar programs" msgstr "Ubuntu hat die folgenden ähnlichen Programme" #: ../CommandNotFound/CommandNotFound.py:139 #, python-format msgid "The program '%s' is currently not installed. " msgstr "" #: ../CommandNotFound/CommandNotFound.py:141 #: ../CommandNotFound/CommandNotFound.py:144 msgid "You can install it by typing:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:147 #, python-format msgid "" "To run '%(command)s' please ask your administrator to install the package '%" "(package)s'" msgstr "" #: ../CommandNotFound/CommandNotFound.py:149 #: ../CommandNotFound/CommandNotFound.py:161 #, python-format msgid "Make sure you have the '%s' component enabled" msgstr "" #: ../CommandNotFound/CommandNotFound.py:151 #, python-format msgid "The program '%s' can be found in the following packages:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:155 #: ../CommandNotFound/CommandNotFound.py:157 #, python-format msgid "Try: %s " msgstr "" #: ../CommandNotFound/CommandNotFound.py:159 msgid "Ask your administrator to install one of them" msgstr "" #: ../command-not-found:18 #, c-format msgid "%prog [options] " msgstr "" #: ../command-not-found:20 msgid "use this path to locate data fields" msgstr "" command-not-found-18.04.6/po/fr.po0000664000000000000000000000446514201210125013471 0ustar msgid "" msgstr "" "Project-Id-Version: command-not-found\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2007-03-20 18:10+0100\n" "PO-Revision-Date: 2007-03-20 13:50+0100\n" "Last-Translator: Bruno Bord \n" "Language-Team: Bruno Bord \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=utf-8\n" "Content-Transfer-Encoding: 8bit\n" "X-Poedit-Language: French\n" "X-Poedit-Country: FRANCE\n" "X-Poedit-SourceCharset: utf-8\n" #: ../CommandNotFound/CommandNotFound.py:135 msgid "Ubuntu has the following similar programs" msgstr "Ubuntu possède les programmes similaires suivants" #: ../CommandNotFound/CommandNotFound.py:139 #, fuzzy, python-format msgid "The program '%s' is currently not installed. " msgstr "" "Le programme '%s' n'est pas installé actuellement, vous pouvez l'installer " "en tapant :" #: ../CommandNotFound/CommandNotFound.py:141 #: ../CommandNotFound/CommandNotFound.py:144 msgid "You can install it by typing:" msgstr "" #: ../CommandNotFound/CommandNotFound.py:147 #, python-format msgid "" "To run '%(command)s' please ask your administrator to install the package '%" "(package)s'" msgstr "" "Pour lancer '%(command)s', veuillez prendre contact avec votre " "administrateur pour installer le paquet '%(package)s'" #: ../CommandNotFound/CommandNotFound.py:149 #: ../CommandNotFound/CommandNotFound.py:161 #, python-format msgid "Make sure you have the '%s' component enabled" msgstr "Assurez-vous que vous avez le composant '%s' activé" #: ../CommandNotFound/CommandNotFound.py:151 #, python-format msgid "The program '%s' can be found in the following packages:" msgstr "Le programme '%s' peut être trouvé dans les paquets suivants :" #: ../CommandNotFound/CommandNotFound.py:155 #: ../CommandNotFound/CommandNotFound.py:157 #, python-format msgid "Try: %s " msgstr "Essayez : %s " #: ../CommandNotFound/CommandNotFound.py:159 msgid "Ask your administrator to install one of them" msgstr "Demandez à votre administrateur d'installer un ceux-là" #: ../command-not-found:18 #, c-format msgid "%prog [options] " msgstr "%prog [options] " #: ../command-not-found:20 msgid "use this path to locate data fields" msgstr "utilisez ce chemin pour localiser les champs de données" command-not-found-18.04.6/po/pl.po0000664000000000000000000000445214201210125013471 0ustar # Copyright (C) 2005, Zygmunt Krynicki # This file is distributed under the same license as the command-not-found package. # Zygmunt Krynicki , 2005 msgid "" msgstr "" "Project-Id-Version: command-not-found 0.1\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2007-03-20 18:10+0100\n" "PO-Revision-Date: 2005-11-25 00:49:+0100\n" "Last-Translator: Zygmunt Krynicki \n" "Language-Team: Polish \n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: 8bit\n" #: ../CommandNotFound/CommandNotFound.py:135 msgid "Ubuntu has the following similar programs" msgstr "Ubuntu zawiera następujące podobne programy" #: ../CommandNotFound/CommandNotFound.py:139 #, python-format msgid "The program '%s' is currently not installed. " msgstr "Program %s nie jest obecnie zainstalowany. " #: ../CommandNotFound/CommandNotFound.py:141 #: ../CommandNotFound/CommandNotFound.py:144 msgid "You can install it by typing:" msgstr "Możesz go zainstalować wpisując:" #: ../CommandNotFound/CommandNotFound.py:147 #, python-format msgid "" "To run '%(command)s' please ask your administrator to install the package '%" "(package)s'" msgstr "" "Aby uruchomić '%(commands)s' poproś swojego administratora o zainstalowanie " "pakietu '%(package)s'" #: ../CommandNotFound/CommandNotFound.py:149 #: ../CommandNotFound/CommandNotFound.py:161 #, python-format msgid "Make sure you have the '%s' component enabled" msgstr "Upewnij się, że masz dostęp do repozytorium '%s'" #: ../CommandNotFound/CommandNotFound.py:151 #, python-format msgid "The program '%s' can be found in the following packages:" msgstr "Program '%s' można znaleźć w następujących pakietch:" #: ../CommandNotFound/CommandNotFound.py:155 #: ../CommandNotFound/CommandNotFound.py:157 #, python-format msgid "Try: %s " msgstr "Spróbuj: %s " #: ../CommandNotFound/CommandNotFound.py:159 msgid "Ask your administrator to install one of them" msgstr "Poproś swojego administratora o zainstalowanie jednego z nich" #: ../command-not-found:18 #, c-format msgid "%prog [options] " msgstr "%prog [opcje] " #: ../command-not-found:20 msgid "use this path to locate data fields" msgstr "użyj tej ścieżki aby zlokalizowac pliki z danymi" command-not-found-18.04.6/pre-build.sh0000775000000000000000000000013214201210125014311 0ustar #!/bin/sh set -x # I don't want to have the scan.data stuff in bzr ./update-from-web.sh command-not-found-18.04.6/setup.py0000775000000000000000000000117314201210125013612 0ustar #!/usr/bin/python3 from distutils.core import setup from DistUtilsExtra.command import (build_extra, build_i18n) import glob setup( name='command-not-found', version='0.3', packages=['CommandNotFound', 'CommandNotFound.db'], scripts=['command-not-found', 'cnf-update-db'], cmdclass={"build": build_extra.build_extra, "build_i18n": build_i18n.build_i18n, }, data_files=[ ('share/command-not-found/', glob.glob("data/*.db")), ('../etc', ['bash_command_not_found', 'zsh_command_not_found']), ('../etc/apt/apt.conf.d', ['data/50command-not-found']), ]) command-not-found-18.04.6/test/0000775000000000000000000000000014201210125013052 5ustar command-not-found-18.04.6/test/data/0000775000000000000000000000000014201210125013763 5ustar command-not-found-18.04.6/test/data/java.data0000664000000000000000000000013214201210125015533 0ustar # fixes bug #853688 all|main|default-jre|java,jexec all|main|default-jdk|javac,javadoc,jarcommand-not-found-18.04.6/update-from-web.sh0000775000000000000000000000047614201210125015437 0ustar #!/bin/sh set -e distro=$(dpkg-parsechangelog -S Distribution) cd CommandNotFound/db # the commands-not-found data is currently extracted here mkdir -p dists scp -r nusakan.canonical.com:~mvo/cnf-extractor/command-not-found-extractor/dists/${distro}* dists/ find dists/ -name "*.xz" -o -name "*.gz" | xargs rm -f command-not-found-18.04.6/zsh_command_not_found0000664000000000000000000000073514201216417016412 0ustar # (c) Zygmunt Krynicki 2007, # Licensed under GPL, see COPYING for the whole text # # This script will look-up command in the database and suggest # installation of packages available from the repository if [[ -x /usr/lib/command-not-found ]] ; then if (( ! ${+functions[command_not_found_handler]} )) ; then function command_not_found_handler { [[ -x /usr/lib/command-not-found ]] || return 1 /usr/lib/command-not-found --no-failure-msg -- ${1+"$1"} && : } fi fi