diff -pruN 6.20251029/debian/changelog 6.20251204/debian/changelog
--- 6.20251029/debian/changelog	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/debian/changelog	2025-12-04 14:46:17.000000000 +0000
@@ -1,3 +1,29 @@
+dh-python (6.20251204) unstable; urgency=medium
+
+  [ Colin Watson ]
+  * pyproject plugin: Use correct version-specific include directory when
+    installing headers.
+
+  [ Stefano Rivera ]
+  * Handle multiarch tuples when merging stable ABI extensions.
+  * Don't let a package containing one stable ABI module generate wide-open
+    python dependencies. (Closes: #1121868)
+
+ -- Stefano Rivera <stefanor@debian.org>  Thu, 04 Dec 2025 10:46:17 -0400
+
+dh-python (6.20251201) unstable; urgency=medium
+
+  [ Stefano Rivera ]
+  * Remove setuptools -> python3-pkg-resources mapping from pydist,
+    pkg_resources is deprecated upstream.
+  * Update pydist data.
+
+  [ Colin Watson ]
+  * Normalize names in pydist lookups.
+  * pyproject plugin: Support headers (closes: #1115299).
+
+ -- Stefano Rivera <stefanor@debian.org>  Mon, 01 Dec 2025 14:56:52 -0400
+
 dh-python (6.20251029) unstable; urgency=medium
 
   [ Colin Watson ]
diff -pruN 6.20251029/dhpython/build/plugin_pyproject.py 6.20251204/dhpython/build/plugin_pyproject.py
--- 6.20251029/dhpython/build/plugin_pyproject.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/dhpython/build/plugin_pyproject.py	2025-12-04 14:46:17.000000000 +0000
@@ -20,6 +20,7 @@
 # OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
 # THE SOFTWARE.
 
+from contextlib import contextmanager
 from pathlib import Path
 import logging
 import os.path as osp
@@ -37,8 +38,9 @@ try:
     from installer import install
     from installer.destinations import SchemeDictionaryDestination
     from installer.sources import WheelFile
+    from installer.utils import parse_metadata_file
 except ModuleNotFoundError:
-    SchemeDictionaryDestination = WheelFile = install = None
+    SchemeDictionaryDestination = WheelFile = install = parse_metadata_file = None
 
 from dhpython.build.base import Base, shell_command
 from dhpython.tools import dpkg_architecture
@@ -139,12 +141,21 @@ class BuildSystem(Base):
                 ' {args}'
                )
 
+    @contextmanager
+    def opened_wheel(self, context, args):
+        wheel = Path(self.built_wheel(context, args))
+        if wheel.name.startswith('UNKNOWN'):
+            raise Exception(f'UNKNOWN wheel found: {wheel.name}. Does '
+                            'pyproject.toml specify a build-backend?')
+        with WheelFile.open(wheel) as source:
+            yield source
+
     def unpack_wheel(self, context, args):
         """ unpack the wheel into pybuild's normal  """
         log.info('Unpacking wheel built for %s with "installer" module',
                  args['interpreter'])
         extras = {}
-        for extra in ('scripts', 'data'):
+        for extra in ('scripts', 'data', 'include'):
             path = Path(args["home_dir"]) / extra
             if osp.exists(path):
                 log.warning('%s directory already exists, skipping unpack. '
@@ -158,16 +169,13 @@ class BuildSystem(Base):
                 'purelib': args['build_dir'],
                 'scripts': extras['scripts'],
                 'data': extras['data'],
+                'headers': extras['include'],
             },
             interpreter=args['interpreter'].binary_dv,
             script_kind='posix',
         )
 
-        wheel = Path(self.built_wheel(context, args))
-        if wheel.name.startswith('UNKNOWN'):
-            raise Exception(f'UNKNOWN wheel found: {wheel.name}. Does '
-                            'pyproject.toml specify a build-backend?')
-        with WheelFile.open(wheel) as source:
+        with self.opened_wheel(context, args) as source:
             install(
                 source=source,
                 destination=destination,
@@ -184,12 +192,22 @@ class BuildSystem(Base):
             # TODO: Introduce a version check once sysconfig is patched.
             paths = sysconfig.get_paths(scheme='posix_prefix')
 
-        # start by copying the data and scripts
-        for extra in ('data', 'scripts'):
+        # start by copying the data, scripts, and headers
+        for extra in ('data', 'scripts', 'include'):
             src_dir = Path(args['home_dir']) / extra
             if not src_dir.exists():
                 continue
-            target_dir = args['destdir'] + paths[extra]
+            if extra == 'include':
+                with self.opened_wheel(context, args) as source:
+                    metadata = parse_metadata_file(
+                        source.read_dist_info("METADATA")
+                    )
+                    extra_path = osp.join(
+                        args['interpreter'].include_dir, metadata["Name"]
+                    )
+            else:
+                extra_path = paths[extra]
+            target_dir = args['destdir'] + extra_path
             log.debug('Copying %s directory contents from %s -> %s',
                       extra, src_dir, target_dir)
             shutil.copytree(
diff -pruN 6.20251029/dhpython/fs.py 6.20251204/dhpython/fs.py
--- 6.20251029/dhpython/fs.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/dhpython/fs.py	2025-12-04 14:46:17.000000000 +0000
@@ -30,7 +30,7 @@ from shutil import rmtree
 from stat import ST_MODE, S_IXUSR, S_IXGRP, S_IXOTH
 from dhpython import MULTIARCH_DIR_TPL
 from dhpython.tools import fix_shebang, clean_egg_name
-from dhpython.interpreter import Interpreter
+from dhpython.interpreter import EXTFILE_RE, Interpreter
 
 log = logging.getLogger('dhpython')
 
@@ -98,6 +98,7 @@ def share_files(srcdir, dstdir, interpre
             # do not rename directories here - all .so files have to be renamed first
             os.renames(fpath1, fpath2)
             continue
+        ext_m = EXTFILE_RE.search(i)
         if islink(fpath1):
             # move symlinks without changing them if they point to the same place
             if not exists(fpath2):
@@ -108,7 +109,7 @@ def share_files(srcdir, dstdir, interpre
             share_files(fpath1, fpath2, interpreter, options)
         elif cmpfile(fpath1, fpath2, shallow=False):
             os.remove(fpath1)
-        elif i.endswith(('.abi3.so', '.abi4.so')) and interpreter.parse_public_dir(srcdir):
+        elif ext_m and ext_m.group("stableabi") and interpreter.parse_public_dir(srcdir):
             log.warning('%s differs from previous one, removing anyway (%s)', i, srcdir)
             os.remove(fpath1)
         elif srcdir.endswith(".dist-info"):
@@ -302,8 +303,13 @@ class Scan:
                 if fext == 'so':
                     if not self.options.no_ext_rename:
                         fpath = self.rename_ext(fpath, interpreter, version)
-                    ver = self.handle_ext(fpath)  # pylint: disable=assignment-from-none
-                    ver = ver or version
+                    ver = version
+                    # This is a bit of a hack, to fix #1121868.
+                    # Stop one .abi3.so in a package from loosening the
+                    # package's dependencies. Possibly we should be dealing
+                    # with this closer to the source.
+                    if ver == '3':
+                        ver = None
                     if ver:
                         self.current_result.setdefault('ext_vers', set()).add(ver)
                     else:
@@ -420,11 +426,6 @@ class Scan:
             return new_fpath
         return fpath
 
-    def handle_ext(self, fpath):
-        """Handle .so file, return its version if detected."""
-        # pylint: disable=unused-argument
-        return None
-
     def is_bin_dir(self, dpath):
         """Check if dir is one from PATH ones."""
         # dname = debian/packagename/usr/games
diff -pruN 6.20251029/dhpython/pydist.py 6.20251204/dhpython/pydist.py
--- 6.20251029/dhpython/pydist.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/dhpython/pydist.py	2025-12-04 14:46:17.000000000 +0000
@@ -158,7 +158,7 @@ def load(impl):
                 if not dist:
                     raise Exception('invalid pydist line: %s (in %s)' % (line, fpath))
                 dist = dist.groupdict()
-                name = safe_name(dist['name'])
+                name = normalize_name(dist['name'])
                 dist['versions'] = get_requested_versions(impl, dist['vrange'])
                 dist['dependency'] = dist['dependency'].strip()
                 if dist['rules']:
@@ -180,7 +180,7 @@ def guess_dependency(impl, req, version=
     # some upstreams have weird ideas for distribution name...
     name, rest = re.compile(r'([^!><=~ \(\)\[;]+)(.*)').match(req).groups()
     # TODO: check stdlib and dist-packaged for name.py and name.so files
-    req = safe_name(name) + rest
+    req = normalize_name(name) + rest
 
     data = load(impl)
     req_d = REQUIRES_RE.match(req)
@@ -204,9 +204,9 @@ def guess_dependency(impl, req, version=
             env_marker_alts = ' ' + action
 
     name = req_d['name']
-    details = data.get(name.lower())
+    details = data.get(normalize_name(name))
     if details:
-        log.debug("dependency: module seems to be installed")
+        log.debug("dependency: module %s is known to pydist: %r", name, details)
         for item in details:
             if version and version not in item.get('versions', version):
                 # rule doesn't match version, try next one
@@ -286,7 +286,7 @@ def guess_dependency(impl, req, version=
 
     # search for Egg metadata file or directory (using dpkg -S)
     dpkg_query_tpl, regex_filter = PYDIST_DPKG_SEARCH_TPLS[impl]
-    dpkg_query = dpkg_query_tpl.format(ci_regexp(safe_name(name)))
+    dpkg_query = dpkg_query_tpl.format(ci_regexp(normalize_name(name)))
 
     log.debug("invoking dpkg -S %s", dpkg_query)
     process = subprocess.run(
@@ -312,12 +312,12 @@ def guess_dependency(impl, req, version=
     else:
         log.debug('dpkg -S did not find package for %s: %s', name, process.stderr)
 
-    pname = sensible_pname(impl, name)
+    pname = sensible_pname(impl, normalize_name(name))
     log.info('Cannot find package that provides %s. '
              'Please add package that provides it to Build-Depends or '
              'add "%s %s" line to %s or add proper '
              'dependency to Depends by hand and ignore this info.',
-             name, safe_name(name), pname, PYDIST_OVERRIDES_FNAMES[impl])
+             name, normalize_name(name), pname, PYDIST_OVERRIDES_FNAMES[impl])
     # return pname
 
 
@@ -591,17 +591,16 @@ def parse_requires_dist(impl, fname, bde
     return result
 
 
-def safe_name(name):
-    """Emulate distribute's safe_name."""
-    return re.compile('[^A-Za-z0-9.]+').sub('_', name).lower()
+# https://packaging.python.org/en/latest/specifications/simple-repository-api/#normalized-names
+def normalize_name(name):
+    """Normalize a distribution name."""
+    return re.sub(r"[-_.]+", "-", name).lower()
 
 
-def sensible_pname(impl, egg_name):
-    """Guess Debian package name from Egg name."""
-    egg_name = safe_name(egg_name).replace('_', '-')
-    if egg_name.startswith('python-'):
-        egg_name = egg_name[7:]
-    return '{}-{}'.format(PKG_PREFIX_MAP[impl], egg_name.lower())
+def sensible_pname(impl, dist_name):
+    """Guess Debian package name from normalized distribution name."""
+    dist_name = dist_name.removeprefix("python-")
+    return f"{PKG_PREFIX_MAP[impl]}-{dist_name}"
 
 
 def ci_regexp(name):
diff -pruN 6.20251029/pydist/README.PyDist 6.20251204/pydist/README.PyDist
--- 6.20251029/pydist/README.PyDist	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/pydist/README.PyDist	2025-12-04 14:46:17.000000000 +0000
@@ -30,11 +30,14 @@ DISTNAME
 ````````
 Python distribution name (you can find it at the beginning of .egg-info
 file/directory name that your package provides).
+This should ideally be normalized
+(https://packaging.python.org/en/latest/specifications/simple-repository-api/#normalized-names),
+but dh_python3 will still tolerate it if it isn't.
 
 Examples:
- * SQLAlchemy
- * Jinja2
+ * jinja2
  * numpy
+ * sqlalchemy
 
 
 Optional fields:
@@ -98,10 +101,10 @@ to /usr/share/dh-python/dist/cpython3/bi
 
 Complete examples:
 ~~~~~~~~~~~~~~~~~~
- * SQLAlchemy python3-sqlalchemy (>= 0.5), python3-sqlalchemy (<< 0.6)
- * Mako python3-mako; PEP386
+ * sqlalchemy python3-sqlalchemy (>= 0.5), python3-sqlalchemy (<< 0.6)
+ * mako python3-mako; PEP386
  * foo -3.2 python3-oldfoo; s/^/3:/
  * foo 3.2- python3-foo; PEP440
- * Bar 2.6-
+ * bar 2.6-
 
 .. vim: ft=rst
diff -pruN 6.20251029/pydist/cpython3_fallback 6.20251204/pydist/cpython3_fallback
--- 6.20251029/pydist/cpython3_fallback	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/pydist/cpython3_fallback	2025-12-04 14:46:17.000000000 +0000
@@ -1,494 +1,62 @@
 2ping 2ping
-AEMET_OpenData python3-aemet-opendata
-AIOSomecomfort python3-aiosomecomfort
-APLpy python3-aplpy
-APScheduler python3-apscheduler
-Adax_local python3-adax-local
-AnyQt python3-anyqt
-Apycula python3-apycula
-Arpeggio python3-arpeggio
-Authlib python3-authlib
-Automat python3-automat
-BTrees python3-btrees
-BUSCO busco
-BabelGladeExtractor python3-babelgladeextractor
-Beaker python3-beaker
-Biosig python3-biosig
-Bootstrap_Flask python3-flask-bootstrap
-Bottleneck python3-bottleneck
-Brian2 python3-brian
-Brlapi python3-brlapi
-Brotli python3-brotli
-BuildStream python3-buildstream
-BuildStream_external python3-bst-external
-CAI python3-cai
-CCColUtils python3-cccolutils
-CDApplet cairo-dock-dbus-plug-in-interface-python
-CDBashApplet cairo-dock-dbus-plug-in-interface-python
-CIRpy python3-cirpy
-CMOR python3-cmor
-CNVkit cnvkit
-CT3 python3-cheetah
-CTDopts python3-ctdopts
-CXX python3-cxx-dev
-CairoSVG python3-cairosvg
-Cartopy python3-cartopy
-Cerberus python3-cerberus
-Cerealizer python3-cerealizer
-Chameleon python3-chameleon
-CheMPS2 python3-chemps2
-ChemSpiPy python3-chemspipy
-CherryPy python3-cherrypy3
-ClusterShell python3-clustershell
-CodraFT python3-codraft
-CommonMark_bkrs python3-commonmark-bkrs
-ConfigArgParse python3-configargparse
-ConsensusCore python3-pbconsensuscore
-Cython cython3
-DBUtils python3-dbutils
-DBussy python3-dbussy
-DNApi python3-dnapilib
-DSV python3-dsv
-DataProperty python3-dataproperty
-DateTimeRange python3-datetimerange
-Decopy decopy
-DendroPy python3-dendropy
-Deprecated python3-deprecated
-DisplayCAL displaycal
-Django python3-django
-DoorBirdPy python3-doorbirdpy
-DoubleRatchet python3-doubleratchet
-EXtra_data python3-extra-data
-EasyProcess python3-easyprocess
-EbookLib python3-ebooklib
-Editobj3 python3-editobj3
-EditorConfig python3-editorconfig
-Electrum python3-electrum
-Endgame_Singularity singularity
-ExifRead python3-exifread
-Extractor python3-extractor
-Faker python3-fake-factory
-Flask_API python3-flask-api
-Flask_Bcrypt python3-flask-bcrypt
-Flask_Caching python3-flask-caching
-Flask_Compress python3-flask-compress
-Flask_FlatPages python3-flask-flatpages
-Flask_Gravatar python3-flask-gravatar
-Flask_HTMLmin python3-flask-htmlmin
-Flask_HTTPAuth python3-flask-httpauth
-Flask_JWT_Extended python3-python-flask-jwt-extended
-Flask_JWT_Simple python3-flask-jwt-simple
-Flask_LDAPConn python3-flask-ldapconn
-Flask_Limiter python3-flask-limiter
-Flask_Login python3-flask-login
-Flask_Mail python3-flask-mail
-Flask_Migrate python3-flask-migrate
-Flask_OpenID python3-flask-openid
-Flask_Paranoid python3-flask-paranoid
-Flask_Principal python3-flask-principal
-Flask_RESTful python3-flask-restful
-Flask_Seeder python3-flask-seeder
-Flask_SocketIO python3-flask-socketio
-Flask_Sockets python3-flask-sockets
-Flor python3-flor
-FormEncode python3-formencode
-FsQuota python3-fsquota
-GDAL python3-gdal
-GaussSum gausssum
-GenomeTools python3-genometools
-Genshi python3-genshi
-GeoAlchemy2 python3-geoalchemy2
-GeoIP python3-geoip
-Geophar geophar
-GitPython python3-git
-GladTeX python3-gleetex
-Glances glances
-GooCalendar python3-goocalendar
-Grammalecte_fr python3-grammalecte
-GridDataFormats python3-griddataformats
-Gyoto python3-gyoto
-HATasmota python3-hatasmota
-HMMEd ghmm
-HTSeq python3-htseq
-HeapDict python3-heapdict
-HiYaPyCo python3-hiyapyco
-HyFetch hyfetch
-IMAPClient python3-imapclient
-IPy python3-ipy
-InSilicoSeq insilicoseq
-Isenkram isenkram-cli
-IsoSpecPy python3-isospec
-JACK_Client python3-jack-client
-JPype1 python3-jpype
-JSON_log_formatter python3-json-log-formatter
-JUBE jube
-Kaptive kaptive
-Keras_Applications python3-keras-applications
-Keras_Preprocessing python3-keras-preprocessing
-Kivy python3-kivy
-Kleborate kleborate
-Kyoto_Cabinet python3-kyotocabinet
-LEPL python3-lepl
-Lektor lektor
-LibAppArmor python3-libapparmor
-LinkChecker linkchecker
-Logbook python3-logbook
-M2Crypto python3-m2crypto
-MACS3 macs
-MDAnalysis python3-mdanalysis
-MDP python3-mdp
-MIDIUtil python3-midiutil
-MMLlib python3-mmllib
-MPD_sima mpd-sima
-MacSyFinder macsyfinder
-Magics python3-magics++
-Magnus magnus
-Mako python3-mako
-ManimPango python3-manimpango
-MapProxy python3-mapproxy
-Markdown python3-markdown
-MarkupPy python3-markuppy
-MarkupSafe python3-markupsafe
-Markups python3-markups
-Mastodon.py python3-mastodon
-MechanicalSoup python3-mechanicalsoup
-MetPy python3-metpy
-MetaPhlAn metaphlan
-MicrobeGPS microbegps
-MiniMock python3-minimock
-Mirage mirage
-MlatClient mlat-client-adsbfi
-Mnemosyne mnemosyne
-MontagePy python3-montagepy
-Mopidy mopidy
-Mopidy_ALSAMixer mopidy-alsamixer
-Mopidy_Beets mopidy-beets
-Mopidy_InternetArchive mopidy-internetarchive
-Mopidy_Local mopidy-local
-Mopidy_MPD mopidy-mpd
-Mopidy_MPRIS mopidy-mpris
-Mopidy_Podcast mopidy-podcast
-Mopidy_Podcast_iTunes mopidy-podcast-itunes
-Mopidy_Scrobbler mopidy-scrobbler
-Mopidy_SomaFM mopidy-somafm
-Mopidy_SoundCloud mopidy-soundcloud
-Mopidy_TuneIn mopidy-tunein
-Mopidy_dLeyna mopidy-dleyna
-Morfessor python3-morfessor
-MouseInfo python3-mouseinfo
-MutatorMath python3-mutatormath
-NFStest nfstest
-NanoFilt nanofilt
-NanoLyse nanolyse
-NanoSV nanosv
-NanoStat python3-nanostat
-NanoVNASaver nanovna-saver
-NeXpy python3-nexpy
-NeXus python3-nxs
-NetfilterQueue python3-netfilterqueue
-Nik4 nik4
-OBITools3 obitools
-OMEMO python3-omemo
-OWSLib python3-owslib
-OdooRPC python3-odoorpc
-Oldmemo python3-oldmemo
-Onionbalance onionbalance
-OpenCC python3-opencc
-OpenLP openlp
-OpenMM python3-openmm
-OptimiR optimir
-Orange3 python3-orange3
-Orange_Spectroscopy python3-orange-spectroscopy
-PAM python3-pam
-PGPy python3-pgpy
-PHCpy python3-phcpy
-POT python3-pot
-ParmEd python3-parmed
-Parsley python3-parsley
-Paste python3-paste
-PasteDeploy python3-pastedeploy
-PasteScript python3-pastescript
-Pattern python3-pattern
-PeachPy python3-peachpy
-PeakUtils python3-peakutils
-Pebble python3-pebble
-PeptideBuilder python3-peptidebuilder
-Pillow python3-pil
-Pint python3-pint
-Pivy python3-pivy
-PlotPy python3-plotpy
-Pmw python3-pmw
-Printrun printrun-common
-ProDy python3-prody
-ProgettiHWSW python3-progettihwsw
-Protego python3-protego
-PuLP python3-pulp
-PubChemPy python3-pubchempy
-Pweave python3-pweave
-Py3ODE python3-pyode
-PyAVM python3-pyavm
-PyAudio python3-pyaudio
-PyAutoGUI python3-pyautogui
-PyBindGen python3-pybindgen
-PyBluez python3-bluez
-PyChromecast python3-pychromecast
-PyCifRW python3-pycifrw
-PyDispatcher python3-pydispatch
-PyDrive2 python3-pydrive2
-PyFlume python3-pyflume
-PyFunceble_dev python3-pyfunceble
-PyGObject python3-gi
-PyGithub python3-github
-PyGnuplot python3-pygnuplot
-PyGreSQL python3-pygresql
-PyHoca_CLI pyhoca-cli
-PyHoca_GUI pyhoca-gui
-PyICU python3-icu
-PyJWT python3-jwt
-PyKCS11 python3-pykcs11
-PyKMIP python3-pykmip
-PyLD python3-pyld
-PyLaTeX python3-pylatex
-PyMca5 python3-pymca5
-PyMeasure python3-pymeasure
-PyMeeus python3-pymeeus
-PyMemoize python3-memoize
-PyMetEireann python3-meteireann
-PyMetno python3-pymetno
-PyMicroBot python3-pymicrobot
-PyMsgBox python3-pymsgbox
-PyMySQL python3-pymysql
-PyNINA python3-pynina
-PyNLPl python3-pynlpl
-PyNN python3-pynn
-PyNX python3-pynx
-PyNaCl python3-nacl
-PyNamecheap python3-namecheap
-PyNormaliz python3-pynormaliz
-PyPrind python3-pyprind
-PyPump python3-pypump
-PyQRCode python3-pyqrcode
-PyQSO pyqso
-PyQt5 python3-pyqt5
-PyQt5_sip python3-pyqt5.sip
-PyQt6 python3-pyqt6
-PyQt6_QScintilla python3-pyqt6.qsci
-PyQt6_WebEngine python3-pyqt6.qtwebengine
-PyQt6_sip python3-pyqt6.sip
-PyQtWebEngine python3-pyqt5.qtwebengine
-PyQt_Qwt python3-pyqt5.qwt
-PyQt_builder python3-pyqtbuild
-PyRIC python3-pyric
-PyRSS2Gen python3-pyrss2gen
-PySDL2 python3-sdl2
-PySPH python3-pysph
-PyScreeze python3-pyscreeze
-PySocks python3-socks
-PyStaticConfiguration python3-staticconf
-PyStemmer python3-stemmer
-PySwitchbot python3-pyswitchbot
-PyTrie python3-trie
-PyVCF python3-vcf
-PyVISA python3-pyvisa
-PyVISA_py python3-pyvisa-py
-PyVISA_sim python3-pyvisa-sim
-PyVirtualDisplay python3-pyvirtualdisplay
-PyWavefront python3-pywavefront
-PyWavelets python3-pywt
-PyWebDAV3 python3-webdav
-PyX python3-pyx
-PyXRD python3-pyxrd
-PyXiaomiGateway python3-pyxiaomigateway
-PyYAML python3-yaml
-PyZoltan python3-pyzoltan
-Pymacs pymacs
-Pyment python3-pyment
-Pympler python3-pympler
-Pypubsub python3-pubsub
-Pyro5 python3-pyro5
-PythonQwt python3-qwt
-QDarkStyle python3-qdarkstyle
-QScintilla python3-pyqt5.qsci
-QtAwesome python3-qtawesome
-QtPy python3-qtpy
-Quamash python3-quamash
-ROPGadget python3-ropgadget
-RPi.bme280 python3-bme280
-RachioPy python3-rachiopy
-Radicale python3-radicale
-ReParser python3-reparser
-Ren_Py python3-renpy
-RestrictedPython python3-restrictedpython
-Roadmap_Plugin trac-roadmap
-Routes python3-routes
-RunSnakeRun runsnakerun
-SCons scons
-SPARQLWrapper python3-sparqlwrapper
-SPEXpy python3-spexpy
-SQLAlchemy python3-sqlalchemy
-SQLAlchemy_Utc python3-sqlalchemy-utc
-SQLAlchemy_Utils python3-sqlalchemy-utils
-SQLAlchemy_i18n python3-sqlalchemy-i18n
-SQLObject python3-sqlobject
-SaltPyLint python3-saltpylint
-SciencePlots python3-scienceplots
-Scrapy python3-scrapy
-SecretStorage python3-secretstorage
-SecureString python3-securestring
-Send2Trash python3-send2trash
-ShopifyAPI python3-shopifyapi
-Shredder rmlint-gui
-SimPy python3-simpy
-SimpleTAL python3-simpletal
-SocksipyChain python3-socksipychain
-SoftLayer python3-softlayer
-Sonata sonata
-SquareMap python3-squaremap
-Stetl python3-stetl
-Sublist3r sublist3r
-Supysonic supysonic
-TatSu python3-tatsu
-TatSu_LTS python3-tatsu-lts
-Telethon python3-telethon
-Tempita python3-tempita
-TkinterTreectrl python3-tktreectrl
-Trac trac
-TracAccountManager trac-accountmanager
-TracCustomFieldAdmin trac-customfieldadmin
-TracHTTPAuth trac-httpauth
-TracSubcomponents trac-subcomponents
-TracTicketTemplate trac-tickettemplate
-TracWikiPrint trac-wikiprint
-TracWysiwyg trac-wysiwyg
-TracXMLRPC trac-xmlrpc
-Trololio python3-trololio
-Tubes python3-tubes
-Twomemo python3-twomemo
-TxSNI python3-txsni
-URLObject python3-urlobject
-Unidecode python3-unidecode
-UnknownHorizons unknown-horizons
-UpSetPlot python3-upsetplot
-VF_1 vf1
-VMDKstream python3-vmdkstream
-VirtualMailManager vmm
-WALinuxAgent waagent
-WSGIProxy2 python3-wsgiproxy
-WSME python3-wsme
-WTForms_Alchemy python3-wtforms-alchemy
-WTForms_Components python3-wtforms-components
-WTForms_JSON python3-wtforms-json
-WTForms_Test python3-wtforms-test
-Wand python3-wand
-WebOb python3-webob
-WebTest python3-webtest
-Whoosh python3-whoosh
-Wikkid python3-wikkid
-X3DH python3-x3dh
-XEdDSA python3-xeddsa
-XStatic python3-xstatic
-XStatic_Angular python3-xstatic-angular
-XStatic_Angular_Bootstrap python3-xstatic-angular-bootstrap
-XStatic_Angular_Cookies python3-xstatic-angular-cookies
-XStatic_Angular_FileUpload python3-xstatic-angular-fileupload
-XStatic_Angular_Gettext python3-xstatic-angular-gettext
-XStatic_Angular_Mock python3-xstatic-angular-mock
-XStatic_Angular_Schema_Form python3-xstatic-angular-schema-form
-XStatic_Angular_UUID python3-xstatic-angular-uuid
-XStatic_Angular_Vis python3-xstatic-angular-vis
-XStatic_Angular_lrdragndrop python3-xstatic-angular-lrdragndrop
-XStatic_Bootstrap_Datepicker python3-xstatic-bootstrap-datepicker
-XStatic_Bootstrap_SCSS python3-xstatic-bootstrap-scss
-XStatic_D3 python3-xstatic-d3
-XStatic_Dagre python3-xstatic-dagre
-XStatic_Dagre_D3 python3-xstatic-dagre-d3
-XStatic_FileSaver python3-xstatic-filesaver
-XStatic_Font_Awesome python3-xstatic-font-awesome
-XStatic_Graphlib python3-xstatic-graphlib
-XStatic_Hogan python3-xstatic-hogan
-XStatic_JQuery.Bootstrap.Wizard python3-xstatic-jquery.bootstrap.wizard
-XStatic_JQuery.TableSorter python3-xstatic-jquery.tablesorter
-XStatic_JQuery.quicksearch python3-xstatic-jquery.quicksearch
-XStatic_JQuery_Migrate python3-xstatic-jquery-migrate
-XStatic_JSEncrypt python3-xstatic-jsencrypt
-XStatic_JS_Yaml python3-xstatic-js-yaml
-XStatic_Jasmine python3-xstatic-jasmine
-XStatic_Json2yaml python3-xstatic-json2yaml
-XStatic_Magic_Search python3-xstatic-magic-search
-XStatic_Moment_Timezone python3-xstatic-moment-timezone
-XStatic_QUnit python3-xstatic-qunit
-XStatic_Rickshaw python3-xstatic-rickshaw
-XStatic_Spin python3-xstatic-spin
-XStatic_angular_ui_router python3-xstatic-angular-ui-router
-XStatic_bootswatch python3-xstatic-bootswatch
-XStatic_jQuery python3-xstatic-jquery
-XStatic_jquery_ui python3-xstatic-jquery-ui
-XStatic_lodash python3-xstatic-lodash
-XStatic_mdi python3-xstatic-mdi
-XStatic_moment python3-xstatic-moment
-XStatic_objectpath python3-xstatic-objectpath
-XStatic_roboto_fontface python3-xstatic-roboto-fontface
-XStatic_smart_table python3-xstatic-smart-table
-XStatic_term.js python3-xstatic-term.js
-XStatic_tv4 python3-xstatic-tv4
-X_Tile x-tile
-XlsxWriter python3-xlsxwriter
-Yapps2 python3-yapps
-Yapsy python3-yapsy
-YubiOTP python3-yubiotp
-ZooKeeper python3-zookeeper
 a2d a2d
 a2wsgi python3-a2wsgi
 a38 python3-a38
 aafigure python3-aafigure
 ablog python3-sphinx-ablog
-absl_py python3-absl
-accessible_pygments python3-accessible-pygments
+absl-py python3-absl
+accelerate python3-accelerate
+accessible-pygments python3-accessible-pygments
 accuweather python3-accuweather
 acme python3-acme
-acme_tiny acme-tiny
+acme-tiny acme-tiny
 acora python3-acora
+acres python3-acres
 acstore python3-acstore
 actdiag python3-actdiag
 actionlib python3-actionlib
-actionlib_tools python3-actionlib-tools
+actionlib-tools python3-actionlib-tools
 activipy python3-activipy
 adal python3-adal
-adapt_parser python3-adapt
-adb_shell python3-adb-shell
+adapt-parser python3-adapt
+adax-local python3-adax-local
+adb-shell python3-adb-shell
 adext python3-adext
 adguardhome python3-adguardhome
 adios4dolfinx python3-adios4dolfinx
+adjutant-ui python3-adjutant-ui
 admesh python3-admesh
-advanced_alchemy python3-advanced-alchemy
-advantage_air python3-advantage-air
+advanced-alchemy python3-advanced-alchemy
+advantage-air python3-advantage-air
 advocate python3-advocate
 aeidon python3-aeidon
+aemet-opendata python3-aemet-opendata
 aenum python3-aenum
+aetos aetos
 afdko python3-afdko
 afew afew
 affine python3-affine
 afsapi python3-afsapi
 agate python3-agate
-agate_dbf python3-agatedbf
-agate_excel python3-agateexcel
-agate_sql python3-agatesql
-agent_py python3-agent-py
+agate-dbf python3-agatedbf
+agate-excel python3-agateexcel
+agate-sql python3-agatesql
+agent-py python3-agent-py
 aggdraw python3-aggdraw
-agilent_format python3-agilent-format
-aio_eapi python3-aioeapi
-aio_geojson_client python3-aio-geojson-client
-aio_geojson_generic_client python3-aio-geojson-generic-client
-aio_geojson_geonetnz_quakes python3-aio-geojson-geonetnz-quakes
-aio_geojson_geonetnz_volcano python3-aio-geojson-geonetnz-volcano
-aio_geojson_nsw_rfs_incidents python3-aio-geojson-nsw-rfs-incidents
-aio_geojson_usgs_earthquakes python3-aio-geojson-usgs-earthquakes
-aio_georss_client python3-aio-georss-client
-aio_georss_gdacs python3-aio-georss-gdacs
-aio_pika python3-aio-pika
+agilent-format python3-agilent-format
+aio-eapi python3-aioeapi
+aio-geojson-client python3-aio-geojson-client
+aio-geojson-generic-client python3-aio-geojson-generic-client
+aio-geojson-geonetnz-quakes python3-aio-geojson-geonetnz-quakes
+aio-geojson-geonetnz-volcano python3-aio-geojson-geonetnz-volcano
+aio-geojson-nsw-rfs-incidents python3-aio-geojson-nsw-rfs-incidents
+aio-geojson-usgs-earthquakes python3-aio-geojson-usgs-earthquakes
+aio-georss-client python3-aio-georss-client
+aio-georss-gdacs python3-aio-georss-gdacs
+aio-pika python3-aio-pika
 aioairq python3-aioairq
 aioairzone python3-aioairzone
-aioairzone_cloud python3-aioairzone-cloud
+aioairzone-cloud python3-aioairzone-cloud
 aioambient python3-aioambient
 aioamqp python3-aioamqp
 aioapcaccess python3-aioapcaccess
@@ -503,6 +71,7 @@ aiocache python3-aiocache
 aiocoap python3-aiocoap
 aiocomelit python3-aiocomelit
 aioconsole python3-aioconsole
+aiocsv python3-aiocsv
 aiodhcpwatcher python3-aiodhcpwatcher
 aiodns python3-aiodns
 aiodogstatsd python3-aiodogstatsd
@@ -522,22 +91,23 @@ aioharmony python3-aioharmony
 aiohasupervisor python3-aiohasupervisor
 aiohomekit python3-aiohomekit
 aiohttp python3-aiohttp
-aiohttp_apispec python3-aiohttp-apispec
-aiohttp_asyncmdnsresolver python3-aiohttp-asyncmdnsresolver
-aiohttp_cors python3-aiohttp-cors
-aiohttp_fast_url_dispatcher python3-aiohttp-fast-url-dispatcher
-aiohttp_fast_zlib python3-aiohttp-fast-zlib
-aiohttp_jinja2 python3-aiohttp-jinja2
-aiohttp_mako python3-aiohttp-mako
-aiohttp_oauthlib python3-aiohttp-oauthlib
-aiohttp_openmetrics python3-aiohttp-openmetrics
-aiohttp_proxy python3-aiohttp-proxy
-aiohttp_retry python3-aiohttp-retry
-aiohttp_security python3-aiohttp-security
-aiohttp_session python3-aiohttp-session
-aiohttp_socks python3-aiohttp-socks
-aiohttp_sse python3-aiohttp-sse
-aiohttp_wsgi python3-aiohttp-wsgi
+aiohttp-apispec python3-aiohttp-apispec
+aiohttp-asyncmdnsresolver python3-aiohttp-asyncmdnsresolver
+aiohttp-cors python3-aiohttp-cors
+aiohttp-fast-url-dispatcher python3-aiohttp-fast-url-dispatcher
+aiohttp-fast-zlib python3-aiohttp-fast-zlib
+aiohttp-jinja2 python3-aiohttp-jinja2
+aiohttp-mako python3-aiohttp-mako
+aiohttp-oauthlib python3-aiohttp-oauthlib
+aiohttp-openmetrics python3-aiohttp-openmetrics
+aiohttp-proxy python3-aiohttp-proxy
+aiohttp-retry python3-aiohttp-retry
+aiohttp-security python3-aiohttp-security
+aiohttp-session python3-aiohttp-session
+aiohttp-socks python3-aiohttp-socks
+aiohttp-sse python3-aiohttp-sse
+aiohttp-sse-client2 python3-aiohttp-sse-client2
+aiohttp-wsgi python3-aiohttp-wsgi
 aiohue python3-aiohue
 aioice python3-aioice
 aioimaplib python3-aioimaplib
@@ -545,8 +115,8 @@ aioinflux python3-aioinflux
 aioitertools python3-aioitertools
 aiojobs python3-aiojobs
 aiolifx python3-aiolifx
-aiolifx_effects python3-aiolifx-effects
-aiolifx_themes python3-aiolifx-themes
+aiolifx-effects python3-aiolifx-effects
+aiolifx-themes python3-aiolifx-themes
 aiolimiter python3-aiolimiter
 aiolivisi python3-aiolivisi
 aiomcache python3-aiomcache
@@ -581,7 +151,7 @@ aioredlock python3-aioredlock
 aioresponses python3-aioresponses
 aioridwell python3-aioridwell
 aiormq python3-aiormq
-aiorpcX python3-aiorpcx
+aiorpcx python3-aiorpcx
 aiortc python3-aiortc
 aiortsp python3-aiortsp
 aioruckus python3-aioruckus
@@ -597,16 +167,18 @@ aioskybell python3-aioskybell
 aiosmtpd python3-aiosmtpd
 aiosmtplib python3-aiosmtplib
 aiosolaredge python3-aiosolaredge
+aiosomecomfort python3-aiosomecomfort
 aiosqlite python3-aiosqlite
 aiosteamist python3-aiosteamist
 aiostream python3-aiostream
 aiostreammagic python3-aiostreammagic
 aioswitcher python3-aioswitcher
 aiotankerkoenig python3-aiotankerkoenig
-aiotask_context python3-aiotask-context
+aiotask-context python3-aiotask-context
 aiotractive python3-aiotractive
 aiounifi python3-aiounifi
 aiounittest python3-aiounittest
+aiousbwatcher python3-aiousbwatcher
 aiovlc python3-aiovlc
 aiovodafone python3-aiovodafone
 aiowaqi python3-aiowaqi
@@ -621,39 +193,40 @@ aiozoneinfo python3-aiozoneinfo
 airgradient python3-airgradient
 airr python3-airr
 airspeed python3-airspeed
-airthings_ble python3-airthings-ble
-airthings_cloud python3-airthings-cloud
+airthings-ble python3-airthings-ble
+airthings-cloud python3-airthings-cloud
 airtouch4pyapi python3-airtouch4pyapi
 airtouch5py python3-airtouch5py
 ajpy python3-ajpy
 alabaster python3-alabaster
 alarmdecoder python3-alarmdecoder
 alembic python3-alembic
-alignlib python3-alignlib
 allpairspy python3-allpairspy
 altair python3-altair
 altgraph python3-altgraph
 amberelectric python3-amberelectric
-ament_clang_format python3-ament-clang-format
-ament_clang_tidy python3-ament-clang-tidy
-ament_cmake_google_benchmark python3-ament-cmake-google-benchmark
-ament_cmake_test python3-ament-cmake-test
-ament_copyright python3-ament-copyright
-ament_cppcheck python3-ament-cppcheck
-ament_cpplint python3-ament-cpplint
-ament_flake8 python3-ament-flake8
-ament_index_python python3-ament-index
-ament_lint python3-ament-lint
-ament_lint_cmake python3-ament-lint-cmake
-ament_mypy python3-ament-mypy
-ament_package python3-ament-package
-ament_pep257 python3-ament-pep257
-ament_pycodestyle python3-ament-pycodestyle
-ament_pyflakes python3-ament-pyflakes
-ament_uncrustify python3-ament-uncrustify
-ament_xmllint python3-ament-xmllint
+ament-clang-format python3-ament-clang-format
+ament-clang-tidy python3-ament-clang-tidy
+ament-cmake-google-benchmark python3-ament-cmake-google-benchmark
+ament-cmake-test python3-ament-cmake-test
+ament-copyright python3-ament-copyright
+ament-cppcheck python3-ament-cppcheck
+ament-cpplint python3-ament-cpplint
+ament-flake8 python3-ament-flake8
+ament-index-python python3-ament-index
+ament-lint python3-ament-lint
+ament-lint-cmake python3-ament-lint-cmake
+ament-mypy python3-ament-mypy
+ament-package python3-ament-package
+ament-pep257 python3-ament-pep257
+ament-pycodestyle python3-ament-pycodestyle
+ament-pyflakes python3-ament-pyflakes
+ament-uncrustify python3-ament-uncrustify
+ament-xmllint python3-ament-xmllint
 amply python3-amply
 amqp python3-amqp
+amqtt amqtt
+ananta python3-ananta
 androguard androguard
 androidtv python3-androidtv
 androidtvremote2 python3-androidtvremote2
@@ -661,156 +234,171 @@ angles python3-angles
 aniso8601 python3-aniso8601
 anndata python3-anndata
 annexremote python3-annexremote
-annotated_types python3-annotated-types
+annotated-types python3-annotated-types
+annotatedyaml python3-annotatedyaml
 anonip anonip
 anosql python3-anosql
-anova_wifi python3-anova-wifi
+anova-wifi python3-anova-wifi
 ansi python3-ansi
 ansible ansible
-ansible_compat python3-ansible-compat
-ansible_core ansible-core
-ansible_lint ansible-lint
-ansible_pygments python3-ansible-pygments
-ansible_runner python3-ansible-runner
+ansible-compat python3-ansible-compat
+ansible-core ansible-core
+ansible-lint ansible-lint
+ansible-pygments python3-ansible-pygments
+ansible-runner python3-ansible-runner
 ansicolors python3-colors
 ansimarkup python3-ansimarkup
 anta python3-anta
 anthemav python3-anthemav
+anthropic python3-anthropic
 antimeridian python3-antimeridian
 antlr python3-antlr
-antlr4_python3_runtime python3-antlr4
+antlr4-python3-runtime python3-antlr4
 anyio python3-anyio
-anyjson python3-anyjson
 anymarkup python3-anymarkup
-anymarkup_core python3-anymarkup-core
+anymarkup-core python3-anymarkup-core
+anyqt python3-anyqt
 anytree python3-anytree
 aodh python3-aodh
 aodhclient python3-aodhclient
-apache_libcloud python3-libcloud
+apache-libcloud python3-libcloud
 apertium python3-apertium-core
-apertium_apy apertium-apy
-apertium_lex_tools python3-apertium-lex-tools
-apertium_streamparser python3-streamparser
+apertium-apy apertium-apy
+apertium-lex-tools python3-apertium-lex-tools
+apertium-streamparser python3-streamparser
 apeye python3-apeye
-apeye_core python3-apeye-core
+apeye-core python3-apeye-core
 apipkg python3-apipkg
 apischema python3-apischema
 apispec python3-apispec
 apkinspector python3-apkinspector
 apksigcopier apksigcopier
-app_model python3-app-model
+aplpy python3-aplpy
+app-model python3-app-model
 apparmor python3-apparmor
-appdirs python3-appdirs
 applicationinsights python3-applicationinsights
 apprise apprise
 apptools python3-apptools
 aprslib python3-aprslib
+apscheduler python3-apscheduler
 apsw python3-apsw
-apsystems_ez1 python3-apsystems-ez1
-apt_clone apt-clone
-apt_listchanges apt-listchanges
-apt_mirror python3-apt-mirror2
-apt_offline apt-offline
-apt_venv apt-venv
-aptly_api_client python3-aptly-api-client
+apsystems-ez1 python3-apsystems-ez1
+apt-listchanges apt-listchanges
+apt-mirror python3-apt-mirror2
+apt-offline apt-offline
+apt-venv apt-venv
+apt-xapian-index apt-xapian-index
+aptly-api-client python3-aptly-api-client
+apycula python3-apycula
 aqipy python3-aqipy
-arabic_reshaper python3-arabic-reshaper
+arabic-reshaper python3-arabic-reshaper
 arandr arandr
 aranet4 python3-aranet4
-arcam_fmj python3-arcam-fmj
+arcam-fmj python3-arcam-fmj
 archmage archmage
 arcp python3-arcp
 aresponses python3-aresponses
 argcomplete python3-argcomplete
 argh python3-argh
-argon2_cffi python3-argon2
+argon2-cffi python3-argon2
+argon2-cffi-bindings python3-argon2-cffi-bindings
 argparse python3 (>= 3.2)
-argparse_addons python3-argparse-addons
-argparse_manpage python3-argparse-manpage
+argparse-addons python3-argparse-addons
+argparse-manpage python3-argparse-manpage
 args python3-args
 ariba ariba
 aristaproto python3-aristaproto
 arjun arjun
+arpeggio python3-arpeggio
 arpy python3-arpy
 arpys python3-arpys
-array_api_compat python3-array-api-compat
+array-api-compat python3-array-api-compat
 arrow python3-arrow
 arsenic python3-arsenic
 art python3-art
 artifacts python3-artifacts
-asahi_firmware asahi-fwextract
+asahi-firmware asahi-fwextract
+asammdf asammdf
 asciinema asciinema
 asciitree python3-asciitree
 asdf python3-asdf
-asdf_astropy python3-asdf-astropy
-asdf_coordinates_schemas python3-asdf-coordinates-schemas
-asdf_standard python3-asdf-standard
-asdf_transform_schemas python3-asdf-transform-schemas
-asdf_wcs_schemas python3-asdf-wcs-schemas
+asdf-astropy python3-asdf-astropy
+asdf-coordinates-schemas python3-asdf-coordinates-schemas
+asdf-standard python3-asdf-standard
+asdf-transform-schemas python3-asdf-transform-schemas
+asdf-wcs-schemas python3-asdf-wcs-schemas
 ase python3-ase
-asf_search python3-asf-search
+asf-search python3-asf-search
 asfsmd python3-asfsmd
-asgi_csrf python3-asgi-csrf
-asgi_lifespan python3-asgi-lifespan
+asgi-csrf python3-asgi-csrf
+asgi-lifespan python3-asgi-lifespan
 asgiref python3-asgiref
 asn1 python3-asn1
 asn1crypto python3-asn1crypto
+asncounter asncounter
 assertpy python3-assertpy
-astLib python3-astlib
-ast_decompiler python3-ast-decompiler
+ast-decompiler python3-ast-decompiler
 asteval python3-asteval
+astlib python3-astlib
 astor python3-astor
 astral python3-astral
-astroML python3-astroml
 astroalign python3-astroalign
 astrodendro python3-astrodendro
 astroid python3-astroid
+astroml python3-astroml
 astroplan python3-astroplan
 astropy python3-astropy
-astropy_healpix python3-astropy-healpix
-astropy_iers_data python3-astropy-iers-data
-astropy_sphinx_theme python3-astropy-sphinx-theme
+astropy-healpix python3-astropy-healpix
+astropy-iers-data python3-astropy-iers-data
+astropy-sphinx-theme python3-astropy-sphinx-theme
 astroquery python3-astroquery
 astroscrappy python3-astroscrappy
 asttokens python3-asttokens
-asv_bench_memray python3-asv-bench-memray
-asv_runner python3-asv-runner
-async_generator python3-async-generator
-async_interrupt python3-async-interrupt
-async_lru python3-async-lru
-async_property python3-async-property
-async_timeout python3-async-timeout
-async_upnp_client python3-async-upnp-client
+asv-bench-memray python3-asv-bench-memray
+asv-runner python3-asv-runner
+async-generator python3-async-generator
+async-interrupt python3-async-interrupt
+async-lru python3-async-lru
+async-property python3-async-property
+async-timeout python3-async-timeout
+async-upnp-client python3-async-upnp-client
 asyncarve python3-asyncarve
 asyncclick python3-asyncclick
 asyncinject python3-asyncinject
-asyncio_dgram python3-asyncio-dgram
-asyncio_throttle python3-asyncio-throttle
+asyncinotify python3-asyncinotify
+asyncio-dgram python3-asyncio-dgram
+asyncio-throttle python3-asyncio-throttle
 asyncmy python3-asyncmy
 asyncpg python3-asyncpg
+asyncprawcore python3-asyncprawcore
 asyncsleepiq python3-asyncsleepiq
 asyncssh python3-asyncssh
+atom python3-atom
 atomicwrites python3-atomicwrites
 atpublic python3-public
 atropos atropos
 attrs python3-attr
 aubio python3-aubio
-audioop_lts python3-audioop-lts
+audioop-lts python3-audioop-lts
 audioread python3-audioread
 audiotools audiotools
+auditwheel python3-auditwheel
 auroranoaa python3-auroranoaa
+auth0-python python3-auth0
 authheaders python3-authheaders
+authlib python3-authlib
 authprogs authprogs
 authres python3-authres
-auto_editor auto-editor
-auto_pytabs python3-auto-pytabs
+auto-editor auto-editor
+auto-pytabs python3-auto-pytabs
 autobahn python3-autobahn
 autocommand python3-autocommand
-autodoc_traits python3-autodoc-traits
+autodoc-traits python3-autodoc-traits
 autodocsumm python3-autodocsumm
 autoflake autoflake
 autoimport autoimport
 autokey autokey-common
+automat python3-automat
 automaton python3-automaton
 autopage python3-autopage
 autopep8 python3-autopep8
@@ -822,398 +410,408 @@ av python3-av
 avro python3-avro
 awesomeversion python3-awesomeversion
 awkward python3-awkward
-awkward_cpp python3-awkward
-aws_requests_auth python3-aws-requests-auth
-aws_xray_sdk python3-aws-xray-sdk
+awkward-cpp python3-awkward
+aws-requests-auth python3-aws-requests-auth
+aws-xray-sdk python3-aws-xray-sdk
 awscli awscli
 awscrt python3-awscrt
+awscurl python3-awscurl
 axisregistry python3-axisregistry
 ayatanawebmail ayatana-webmail
 azote azote
-azure_agrifood_farming python3-azure
-azure_ai_anomalydetector python3-azure
-azure_ai_contentsafety python3-azure
-azure_ai_documentintelligence python3-azure
-azure_ai_evaluation python3-azure
-azure_ai_formrecognizer python3-azure
-azure_ai_generative python3-azure
-azure_ai_inference python3-azure
-azure_ai_language_conversations python3-azure
-azure_ai_language_questionanswering python3-azure
-azure_ai_metricsadvisor python3-azure
-azure_ai_ml python3-azure
-azure_ai_personalizer python3-azure
-azure_ai_projects python3-azure
-azure_ai_resources python3-azure
-azure_ai_textanalytics python3-azure
-azure_ai_translation_document python3-azure
-azure_ai_translation_text python3-azure
-azure_ai_vision_face python3-azure
-azure_ai_vision_imageanalysis python3-azure
-azure_appconfiguration python3-azure
-azure_appconfiguration_provider python3-azure
-azure_applicationinsights python3-azure
-azure_batch python3-azure
-azure_cli python3-azure-cli
-azure_cli_core python3-azure-cli-core
-azure_cli_telemetry python3-azure-cli-telemetry
-azure_cli_testsdk python3-azure-cli-testsdk
-azure_cognitiveservices_anomalydetector python3-azure
-azure_cognitiveservices_formrecognizer python3-azure
-azure_cognitiveservices_knowledge_qnamaker python3-azure
-azure_cognitiveservices_language_luis python3-azure
-azure_cognitiveservices_language_spellcheck python3-azure
-azure_cognitiveservices_language_textanalytics python3-azure
-azure_cognitiveservices_personalizer python3-azure
-azure_cognitiveservices_search_autosuggest python3-azure
-azure_cognitiveservices_search_customimagesearch python3-azure
-azure_cognitiveservices_search_customsearch python3-azure
-azure_cognitiveservices_search_entitysearch python3-azure
-azure_cognitiveservices_search_imagesearch python3-azure
-azure_cognitiveservices_search_newssearch python3-azure
-azure_cognitiveservices_search_videosearch python3-azure
-azure_cognitiveservices_search_visualsearch python3-azure
-azure_cognitiveservices_search_websearch python3-azure
-azure_cognitiveservices_vision_computervision python3-azure
-azure_cognitiveservices_vision_contentmoderator python3-azure
-azure_cognitiveservices_vision_customvision python3-azure
-azure_cognitiveservices_vision_face python3-azure
-azure_common python3-azure
-azure_communication_callautomation python3-azure
-azure_communication_chat python3-azure
-azure_communication_email python3-azure
-azure_communication_identity python3-azure
-azure_communication_jobrouter python3-azure
-azure_communication_messages python3-azure
-azure_communication_phonenumbers python3-azure
-azure_communication_rooms python3-azure
-azure_communication_sms python3-azure
-azure_confidentialledger python3-azure
-azure_containerregistry python3-azure
-azure_core python3-azure
-azure_core_experimental python3-azure
-azure_cosmos python3-azure
-azure_data_tables python3-azure
-azure_datalake_store python3-azure-datalake-store
-azure_defender_easm python3-azure
-azure_developer_devcenter python3-azure
-azure_developer_loadtesting python3-azure
-azure_devops python3-azext-devops
-azure_devtools python3-azure-devtools
-azure_digitaltwins_core python3-azure
-azure_eventgrid python3-azure
-azure_eventhub python3-azure
-azure_eventhub_checkpointstoreblob python3-azure
-azure_eventhub_checkpointstoreblob_aio python3-azure
-azure_eventhub_checkpointstoretable python3-azure
-azure_functions_devops_build python3-azure-functions-devops-build
-azure_graphrbac python3-azure
-azure_health_deidentification python3-azure
-azure_healthinsights_cancerprofiling python3-azure
-azure_healthinsights_clinicalmatching python3-azure
-azure_healthinsights_radiologyinsights python3-azure
-azure_identity python3-azure
-azure_identity_broker python3-azure
-azure_iot_deviceprovisioning python3-azure
-azure_iot_deviceupdate python3-azure
-azure_iot_modelsrepository python3-azure
-azure_keyvault python3-azure
-azure_keyvault_administration python3-azure
-azure_keyvault_certificates python3-azure
-azure_keyvault_keys python3-azure
-azure_keyvault_secrets python3-azure
-azure_kusto_data python3-azure-kusto-data
-azure_loganalytics python3-azure
-azure_maps_geolocation python3-azure
-azure_maps_render python3-azure
-azure_maps_route python3-azure
-azure_maps_search python3-azure
-azure_maps_timezone python3-azure
-azure_maps_weather python3-azure
-azure_media_analytics_edge python3-azure
-azure_media_videoanalyzer_edge python3-azure
-azure_messaging_webpubsubclient python3-azure
-azure_messaging_webpubsubservice python3-azure
-azure_mgmt_advisor python3-azure
-azure_mgmt_agrifood python3-azure
-azure_mgmt_alertsmanagement python3-azure
-azure_mgmt_apicenter python3-azure
-azure_mgmt_apimanagement python3-azure
-azure_mgmt_app python3-azure
-azure_mgmt_appcomplianceautomation python3-azure
-azure_mgmt_appconfiguration python3-azure
-azure_mgmt_appcontainers python3-azure
-azure_mgmt_applicationinsights python3-azure
-azure_mgmt_appplatform python3-azure
-azure_mgmt_arizeaiobservabilityeval python3-azure
-azure_mgmt_astro python3-azure
-azure_mgmt_attestation python3-azure
-azure_mgmt_authorization python3-azure
-azure_mgmt_automanage python3-azure
-azure_mgmt_automation python3-azure
-azure_mgmt_avs python3-azure
-azure_mgmt_azurearcdata python3-azure
-azure_mgmt_azurelargeinstance python3-azure
-azure_mgmt_azurestack python3-azure
-azure_mgmt_azurestackhci python3-azure
-azure_mgmt_baremetalinfrastructure python3-azure
-azure_mgmt_batch python3-azure
-azure_mgmt_batchai python3-azure
-azure_mgmt_billing python3-azure
-azure_mgmt_billingbenefits python3-azure
-azure_mgmt_botservice python3-azure
-azure_mgmt_cdn python3-azure
-azure_mgmt_changeanalysis python3-azure
-azure_mgmt_chaos python3-azure
-azure_mgmt_cognitiveservices python3-azure
-azure_mgmt_commerce python3-azure
-azure_mgmt_communication python3-azure
-azure_mgmt_compute python3-azure
-azure_mgmt_computefleet python3-azure
-azure_mgmt_computeschedule python3-azure
-azure_mgmt_confidentialledger python3-azure
-azure_mgmt_confluent python3-azure
-azure_mgmt_connectedcache python3-azure
-azure_mgmt_connectedvmware python3-azure
-azure_mgmt_consumption python3-azure
-azure_mgmt_containerinstance python3-azure
-azure_mgmt_containerorchestratorruntime python3-azure
-azure_mgmt_containerregistry python3-azure
-azure_mgmt_containerservice python3-azure
-azure_mgmt_containerservicefleet python3-azure
-azure_mgmt_core python3-azure
-azure_mgmt_cosmosdb python3-azure
-azure_mgmt_cosmosdbforpostgresql python3-azure
-azure_mgmt_costmanagement python3-azure
-azure_mgmt_customproviders python3-azure
-azure_mgmt_dashboard python3-azure
-azure_mgmt_databasewatcher python3-azure
-azure_mgmt_databox python3-azure
-azure_mgmt_databoxedge python3-azure
-azure_mgmt_databricks python3-azure
-azure_mgmt_datadog python3-azure
-azure_mgmt_datafactory python3-azure
-azure_mgmt_datalake_analytics python3-azure
-azure_mgmt_datalake_store python3-azure
-azure_mgmt_datamigration python3-azure
-azure_mgmt_dataprotection python3-azure
-azure_mgmt_datashare python3-azure
-azure_mgmt_defendereasm python3-azure
-azure_mgmt_deploymentmanager python3-azure
-azure_mgmt_desktopvirtualization python3-azure
-azure_mgmt_devcenter python3-azure
-azure_mgmt_devhub python3-azure
-azure_mgmt_deviceregistry python3-azure
-azure_mgmt_deviceupdate python3-azure
-azure_mgmt_devopsinfrastructure python3-azure
-azure_mgmt_devspaces python3-azure
-azure_mgmt_devtestlabs python3-azure
-azure_mgmt_digitaltwins python3-azure
-azure_mgmt_dns python3-azure
-azure_mgmt_dnsresolver python3-azure
-azure_mgmt_documentdb python3-azure
-azure_mgmt_durabletask python3-azure
-azure_mgmt_dynatrace python3-azure
-azure_mgmt_edgegateway python3-azure
-azure_mgmt_edgeorder python3-azure
-azure_mgmt_edgezones python3-azure
-azure_mgmt_education python3-azure
-azure_mgmt_elastic python3-azure
-azure_mgmt_elasticsan python3-azure
-azure_mgmt_eventgrid python3-azure
-azure_mgmt_eventhub python3-azure
-azure_mgmt_extendedlocation python3-azure
-azure_mgmt_fabric python3-azure
-azure_mgmt_fluidrelay python3-azure
-azure_mgmt_frontdoor python3-azure
-azure_mgmt_graphservices python3-azure
-azure_mgmt_guestconfig python3-azure
-azure_mgmt_hanaonazure python3-azure
-azure_mgmt_hardwaresecuritymodules python3-azure
-azure_mgmt_hdinsight python3-azure
-azure_mgmt_hdinsightcontainers python3-azure
-azure_mgmt_healthbot python3-azure
-azure_mgmt_healthcareapis python3-azure
-azure_mgmt_healthdataaiservices python3-azure
-azure_mgmt_hybridcompute python3-azure
-azure_mgmt_hybridconnectivity python3-azure
-azure_mgmt_hybridcontainerservice python3-azure
-azure_mgmt_hybridkubernetes python3-azure
-azure_mgmt_hybridnetwork python3-azure
-azure_mgmt_imagebuilder python3-azure
-azure_mgmt_impactreporting python3-azure
-azure_mgmt_informaticadatamanagement python3-azure
-azure_mgmt_iotcentral python3-azure
-azure_mgmt_iotfirmwaredefense python3-azure
-azure_mgmt_iothub python3-azure
-azure_mgmt_iothubprovisioningservices python3-azure
-azure_mgmt_iotoperations python3-azure
-azure_mgmt_keyvault python3-azure
-azure_mgmt_kubernetesconfiguration python3-azure
-azure_mgmt_kusto python3-azure
-azure_mgmt_labservices python3-azure
-azure_mgmt_largeinstance python3-azure
-azure_mgmt_loadtesting python3-azure
-azure_mgmt_loganalytics python3-azure
-azure_mgmt_logic python3-azure
-azure_mgmt_logz python3-azure
-azure_mgmt_machinelearningcompute python3-azure
-azure_mgmt_machinelearningservices python3-azure
-azure_mgmt_maintenance python3-azure
-azure_mgmt_managedapplications python3-azure
-azure_mgmt_managednetworkfabric python3-azure
-azure_mgmt_managedservices python3-azure
-azure_mgmt_managementgroups python3-azure
-azure_mgmt_managementpartner python3-azure
-azure_mgmt_maps python3-azure
-azure_mgmt_marketplaceordering python3-azure
-azure_mgmt_media python3-azure
-azure_mgmt_migrationassessment python3-azure
-azure_mgmt_migrationdiscoverysap python3-azure
-azure_mgmt_mixedreality python3-azure
-azure_mgmt_mobilenetwork python3-azure
-azure_mgmt_mongocluster python3-azure
-azure_mgmt_monitor python3-azure
-azure_mgmt_msi python3-azure
-azure_mgmt_mysqlflexibleservers python3-azure
-azure_mgmt_neonpostgres python3-azure
-azure_mgmt_netapp python3-azure
-azure_mgmt_network python3-azure
-azure_mgmt_networkanalytics python3-azure
-azure_mgmt_networkcloud python3-azure
-azure_mgmt_networkfunction python3-azure
-azure_mgmt_newrelicobservability python3-azure
-azure_mgmt_nginx python3-azure
-azure_mgmt_notificationhubs python3-azure
-azure_mgmt_oep python3-azure
-azure_mgmt_operationsmanagement python3-azure
-azure_mgmt_oracledatabase python3-azure
-azure_mgmt_orbital python3-azure
-azure_mgmt_paloaltonetworksngfw python3-azure
-azure_mgmt_peering python3-azure
-azure_mgmt_pineconevectordb python3-azure
-azure_mgmt_playwrighttesting python3-azure
-azure_mgmt_policyinsights python3-azure
-azure_mgmt_portal python3-azure
-azure_mgmt_postgresqlflexibleservers python3-azure
-azure_mgmt_powerbidedicated python3-azure
-azure_mgmt_powerbiembedded python3-azure
-azure_mgmt_privatedns python3-azure
-azure_mgmt_purview python3-azure
-azure_mgmt_quantum python3-azure
-azure_mgmt_qumulo python3-azure
-azure_mgmt_quota python3-azure
-azure_mgmt_rdbms python3-azure
-azure_mgmt_recoveryservices python3-azure
-azure_mgmt_recoveryservicesbackup python3-azure
-azure_mgmt_recoveryservicesdatareplication python3-azure
-azure_mgmt_recoveryservicessiterecovery python3-azure
-azure_mgmt_redhatopenshift python3-azure
-azure_mgmt_redis python3-azure
-azure_mgmt_redisenterprise python3-azure
-azure_mgmt_regionmove python3-azure
-azure_mgmt_relay python3-azure
-azure_mgmt_reservations python3-azure
-azure_mgmt_resource python3-azure
-azure_mgmt_resourceconnector python3-azure
-azure_mgmt_resourcegraph python3-azure
-azure_mgmt_resourcehealth python3-azure
-azure_mgmt_resourcemover python3-azure
-azure_mgmt_scheduler python3-azure
-azure_mgmt_scvmm python3-azure
-azure_mgmt_search python3-azure
-azure_mgmt_security python3-azure
-azure_mgmt_securitydevops python3-azure
-azure_mgmt_securityinsight python3-azure
-azure_mgmt_selfhelp python3-azure
-azure_mgmt_serialconsole python3-azure
-azure_mgmt_servermanager python3-azure
-azure_mgmt_servicebus python3-azure
-azure_mgmt_servicefabric python3-azure
-azure_mgmt_servicefabricmanagedclusters python3-azure
-azure_mgmt_servicelinker python3-azure
-azure_mgmt_servicenetworking python3-azure
-azure_mgmt_signalr python3-azure
-azure_mgmt_sphere python3-azure
-azure_mgmt_springappdiscovery python3-azure
-azure_mgmt_sql python3-azure
-azure_mgmt_sqlvirtualmachine python3-azure
-azure_mgmt_standbypool python3-azure
-azure_mgmt_storage python3-azure
-azure_mgmt_storageactions python3-azure
-azure_mgmt_storagecache python3-azure
-azure_mgmt_storageimportexport python3-azure
-azure_mgmt_storagemover python3-azure
-azure_mgmt_storagepool python3-azure
-azure_mgmt_storagesync python3-azure
-azure_mgmt_streamanalytics python3-azure
-azure_mgmt_subscription python3-azure
-azure_mgmt_support python3-azure
-azure_mgmt_synapse python3-azure
-azure_mgmt_terraform python3-azure
-azure_mgmt_testbase python3-azure
-azure_mgmt_timeseriesinsights python3-azure
-azure_mgmt_trafficmanager python3-azure
-azure_mgmt_trustedsigning python3-azure
-azure_mgmt_videoanalyzer python3-azure
-azure_mgmt_vmwarecloudsimple python3-azure
-azure_mgmt_voiceservices python3-azure
-azure_mgmt_web python3-azure
-azure_mgmt_webpubsub python3-azure
-azure_mgmt_weightsandbiases python3-azure
-azure_mgmt_workloadmonitor python3-azure
-azure_mgmt_workloads python3-azure
-azure_mgmt_workloadssapvirtualinstance python3-azure
-azure_mixedreality_authentication python3-azure
-azure_mixedreality_remoterendering python3-azure
-azure_monitor_ingestion python3-azure
-azure_monitor_opentelemetry python3-azure
-azure_monitor_opentelemetry_exporter python3-azure
-azure_monitor_query python3-azure
-azure_multiapi_storage python3-azure-multiapi-storage
-azure_openai python3-azure
-azure_purview_administration python3-azure
-azure_purview_catalog python3-azure
-azure_purview_datamap python3-azure
-azure_purview_scanning python3-azure
-azure_purview_sharing python3-azure
-azure_purview_workflow python3-azure
-azure_schemaregistry python3-azure
-azure_schemaregistry_avroencoder python3-azure
-azure_schemaregistry_avroserializer python3-azure
-azure_search_documents python3-azure
-azure_security_attestation python3-azure
-azure_servicebus python3-azure
-azure_servicefabric python3-azure
-azure_servicemanagement_legacy python3-azure
-azure_storage_blob python3-azure-storage
-azure_storage_blob_changefeed python3-azure-storage
-azure_storage_file_datalake python3-azure-storage
-azure_storage_file_share python3-azure-storage
-azure_storage_queue python3-azure-storage
-azure_synapse python3-azure
-azure_synapse_accesscontrol python3-azure
-azure_synapse_artifacts python3-azure
-azure_synapse_managedprivateendpoints python3-azure
-azure_synapse_monitoring python3-azure
-azure_synapse_spark python3-azure
-azure_template python3-azure
+azure-agrifood-farming python3-azure
+azure-ai-agents python3-azure
+azure-ai-agentserver-agentframework python3-azure
+azure-ai-agentserver-core python3-azure
+azure-ai-agentserver-langgraph python3-azure
+azure-ai-anomalydetector python3-azure
+azure-ai-contentsafety python3-azure
+azure-ai-documentintelligence python3-azure
+azure-ai-evaluation python3-azure
+azure-ai-formrecognizer python3-azure
+azure-ai-inference python3-azure
+azure-ai-language-conversations python3-azure
+azure-ai-language-conversations-authoring python3-azure
+azure-ai-language-questionanswering python3-azure
+azure-ai-language-questionanswering-authoring python3-azure
+azure-ai-ml python3-azure
+azure-ai-personalizer python3-azure
+azure-ai-projects python3-azure
+azure-ai-textanalytics python3-azure
+azure-ai-textanalytics-authoring python3-azure
+azure-ai-transcription python3-azure
+azure-ai-translation-document python3-azure
+azure-ai-translation-text python3-azure
+azure-ai-vision-face python3-azure
+azure-ai-vision-imageanalysis python3-azure
+azure-ai-voicelive python3-azure
+azure-appconfiguration python3-azure
+azure-appconfiguration-provider python3-azure
+azure-batch python3-azure
+azure-cli python3-azure-cli
+azure-cli-core python3-azure-cli-core
+azure-cli-telemetry python3-azure-cli-telemetry
+azure-cli-testsdk python3-azure-cli-testsdk
+azure-cognitiveservices-personalizer python3-azure
+azure-common python3-azure
+azure-communication-callautomation python3-azure
+azure-communication-chat python3-azure
+azure-communication-email python3-azure
+azure-communication-identity python3-azure
+azure-communication-jobrouter python3-azure
+azure-communication-messages python3-azure
+azure-communication-phonenumbers python3-azure
+azure-communication-rooms python3-azure
+azure-communication-sms python3-azure
+azure-confidentialledger python3-azure
+azure-confidentialledger-certificate python3-azure
+azure-containerregistry python3-azure
+azure-core python3-azure
+azure-core-experimental python3-azure
+azure-cosmos python3-azure
+azure-data-tables python3-azure
+azure-datalake-store python3-azure-datalake-store
+azure-defender-easm python3-azure
+azure-developer-devcenter python3-azure
+azure-developer-loadtesting python3-azure
+azure-devops python3-azext-devops
+azure-devtools python3-azure-devtools
+azure-digitaltwins-core python3-azure
+azure-eventgrid python3-azure
+azure-eventhub python3-azure
+azure-eventhub-checkpointstoreblob python3-azure
+azure-eventhub-checkpointstoreblob-aio python3-azure
+azure-eventhub-checkpointstoretable python3-azure
+azure-functions-devops-build python3-azure-functions-devops-build
+azure-health-deidentification python3-azure
+azure-healthinsights-cancerprofiling python3-azure
+azure-healthinsights-clinicalmatching python3-azure
+azure-healthinsights-radiologyinsights python3-azure
+azure-identity python3-azure
+azure-identity-broker python3-azure
+azure-iot-deviceprovisioning python3-azure
+azure-iot-deviceupdate python3-azure
+azure-keyvault python3-azure
+azure-keyvault-administration python3-azure
+azure-keyvault-certificates python3-azure
+azure-keyvault-keys python3-azure
+azure-keyvault-secrets python3-azure
+azure-keyvault-securitydomain python3-azure
+azure-kusto-data python3-azure-kusto-data
+azure-maps-geolocation python3-azure
+azure-maps-render python3-azure
+azure-maps-route python3-azure
+azure-maps-search python3-azure
+azure-maps-timezone python3-azure
+azure-maps-weather python3-azure
+azure-media-videoanalyzer-edge python3-azure
+azure-messaging-webpubsubclient python3-azure
+azure-messaging-webpubsubservice python3-azure
+azure-mgmt-advisor python3-azure
+azure-mgmt-agrifood python3-azure
+azure-mgmt-alertsmanagement python3-azure
+azure-mgmt-apicenter python3-azure
+azure-mgmt-apimanagement python3-azure
+azure-mgmt-app python3-azure
+azure-mgmt-appcomplianceautomation python3-azure
+azure-mgmt-appconfiguration python3-azure
+azure-mgmt-appcontainers python3-azure
+azure-mgmt-applicationinsights python3-azure
+azure-mgmt-appplatform python3-azure
+azure-mgmt-arizeaiobservabilityeval python3-azure
+azure-mgmt-astro python3-azure
+azure-mgmt-attestation python3-azure
+azure-mgmt-authorization python3-azure
+azure-mgmt-automanage python3-azure
+azure-mgmt-automation python3-azure
+azure-mgmt-avs python3-azure
+azure-mgmt-azurearcdata python3-azure
+azure-mgmt-azurestack python3-azure
+azure-mgmt-azurestackhci python3-azure
+azure-mgmt-azurestackhcivm python3-azure
+azure-mgmt-baremetalinfrastructure python3-azure
+azure-mgmt-batch python3-azure
+azure-mgmt-billing python3-azure
+azure-mgmt-billingbenefits python3-azure
+azure-mgmt-botservice python3-azure
+azure-mgmt-carbonoptimization python3-azure
+azure-mgmt-cdn python3-azure
+azure-mgmt-changeanalysis python3-azure
+azure-mgmt-chaos python3-azure
+azure-mgmt-cloudhealth python3-azure
+azure-mgmt-cognitiveservices python3-azure
+azure-mgmt-commerce python3-azure
+azure-mgmt-communication python3-azure
+azure-mgmt-compute python3-azure
+azure-mgmt-computefleet python3-azure
+azure-mgmt-computelimit python3-azure
+azure-mgmt-computerecommender python3-azure
+azure-mgmt-computeschedule python3-azure
+azure-mgmt-confidentialledger python3-azure
+azure-mgmt-confluent python3-azure
+azure-mgmt-connectedcache python3-azure
+azure-mgmt-connectedvmware python3-azure
+azure-mgmt-consumption python3-azure
+azure-mgmt-containerinstance python3-azure
+azure-mgmt-containerorchestratorruntime python3-azure
+azure-mgmt-containerregistry python3-azure
+azure-mgmt-containerservice python3-azure
+azure-mgmt-containerservicefleet python3-azure
+azure-mgmt-containerservicesafeguards python3-azure
+azure-mgmt-core python3-azure
+azure-mgmt-cosmosdb python3-azure
+azure-mgmt-cosmosdbforpostgresql python3-azure
+azure-mgmt-costmanagement python3-azure
+azure-mgmt-customproviders python3-azure
+azure-mgmt-dashboard python3-azure
+azure-mgmt-databasewatcher python3-azure
+azure-mgmt-databox python3-azure
+azure-mgmt-databoxedge python3-azure
+azure-mgmt-databricks python3-azure
+azure-mgmt-datadog python3-azure
+azure-mgmt-datafactory python3-azure
+azure-mgmt-datalake-analytics python3-azure
+azure-mgmt-datalake-store python3-azure
+azure-mgmt-datamigration python3-azure
+azure-mgmt-dataprotection python3-azure
+azure-mgmt-datashare python3-azure
+azure-mgmt-defendereasm python3-azure
+azure-mgmt-dellstorage python3-azure
+azure-mgmt-dependencymap python3-azure
+azure-mgmt-deploymentmanager python3-azure
+azure-mgmt-desktopvirtualization python3-azure
+azure-mgmt-devcenter python3-azure
+azure-mgmt-devhub python3-azure
+azure-mgmt-deviceregistry python3-azure
+azure-mgmt-deviceupdate python3-azure
+azure-mgmt-devopsinfrastructure python3-azure
+azure-mgmt-devspaces python3-azure
+azure-mgmt-devtestlabs python3-azure
+azure-mgmt-digitaltwins python3-azure
+azure-mgmt-disconnectedoperations python3-azure
+azure-mgmt-dns python3-azure
+azure-mgmt-dnsresolver python3-azure
+azure-mgmt-durabletask python3-azure
+azure-mgmt-dynatrace python3-azure
+azure-mgmt-edgegateway python3-azure
+azure-mgmt-edgeorder python3-azure
+azure-mgmt-edgezones python3-azure
+azure-mgmt-education python3-azure
+azure-mgmt-elastic python3-azure
+azure-mgmt-elasticsan python3-azure
+azure-mgmt-eventgrid python3-azure
+azure-mgmt-eventhub python3-azure
+azure-mgmt-extendedlocation python3-azure
+azure-mgmt-fabric python3-azure
+azure-mgmt-fluidrelay python3-azure
+azure-mgmt-frontdoor python3-azure
+azure-mgmt-graphservices python3-azure
+azure-mgmt-guestconfig python3-azure
+azure-mgmt-hanaonazure python3-azure
+azure-mgmt-hardwaresecuritymodules python3-azure
+azure-mgmt-hdinsight python3-azure
+azure-mgmt-hdinsightcontainers python3-azure
+azure-mgmt-healthbot python3-azure
+azure-mgmt-healthcareapis python3-azure
+azure-mgmt-healthdataaiservices python3-azure
+azure-mgmt-hybridcompute python3-azure
+azure-mgmt-hybridconnectivity python3-azure
+azure-mgmt-hybridcontainerservice python3-azure
+azure-mgmt-hybridkubernetes python3-azure
+azure-mgmt-hybridnetwork python3-azure
+azure-mgmt-imagebuilder python3-azure
+azure-mgmt-impactreporting python3-azure
+azure-mgmt-informaticadatamanagement python3-azure
+azure-mgmt-iotcentral python3-azure
+azure-mgmt-iotfirmwaredefense python3-azure
+azure-mgmt-iothub python3-azure
+azure-mgmt-iothubprovisioningservices python3-azure
+azure-mgmt-iotoperations python3-azure
+azure-mgmt-keyvault python3-azure
+azure-mgmt-kubernetesconfiguration python3-azure
+azure-mgmt-kubernetesconfiguration-extensions python3-azure
+azure-mgmt-kubernetesconfiguration-extensiontypes python3-azure
+azure-mgmt-kubernetesconfiguration-fluxconfigurations python3-azure
+azure-mgmt-kubernetesconfiguration-privatelinkscopes python3-azure
+azure-mgmt-kusto python3-azure
+azure-mgmt-labservices python3-azure
+azure-mgmt-lambdatesthyperexecute python3-azure
+azure-mgmt-largeinstance python3-azure
+azure-mgmt-loadtesting python3-azure
+azure-mgmt-loganalytics python3-azure
+azure-mgmt-logic python3-azure
+azure-mgmt-machinelearningcompute python3-azure
+azure-mgmt-machinelearningservices python3-azure
+azure-mgmt-maintenance python3-azure
+azure-mgmt-managedapplications python3-azure
+azure-mgmt-managednetworkfabric python3-azure
+azure-mgmt-managedservices python3-azure
+azure-mgmt-managementgroups python3-azure
+azure-mgmt-managementpartner python3-azure
+azure-mgmt-maps python3-azure
+azure-mgmt-marketplaceordering python3-azure
+azure-mgmt-media python3-azure
+azure-mgmt-migrationassessment python3-azure
+azure-mgmt-migrationdiscoverysap python3-azure
+azure-mgmt-mixedreality python3-azure
+azure-mgmt-mobilenetwork python3-azure
+azure-mgmt-mongocluster python3-azure
+azure-mgmt-mongodbatlas python3-azure
+azure-mgmt-monitor python3-azure
+azure-mgmt-msi python3-azure
+azure-mgmt-mysqlflexibleservers python3-azure
+azure-mgmt-neonpostgres python3-azure
+azure-mgmt-netapp python3-azure
+azure-mgmt-network python3-azure
+azure-mgmt-networkanalytics python3-azure
+azure-mgmt-networkcloud python3-azure
+azure-mgmt-networkfunction python3-azure
+azure-mgmt-newrelicobservability python3-azure
+azure-mgmt-nginx python3-azure
+azure-mgmt-notificationhubs python3-azure
+azure-mgmt-oep python3-azure
+azure-mgmt-onlineexperimentation python3-azure
+azure-mgmt-operationsmanagement python3-azure
+azure-mgmt-oracledatabase python3-azure
+azure-mgmt-orbital python3-azure
+azure-mgmt-paloaltonetworksngfw python3-azure
+azure-mgmt-peering python3-azure
+azure-mgmt-pineconevectordb python3-azure
+azure-mgmt-planetarycomputer python3-azure
+azure-mgmt-playwright python3-azure
+azure-mgmt-playwrighttesting python3-azure
+azure-mgmt-policyinsights python3-azure
+azure-mgmt-portal python3-azure
+azure-mgmt-portalservicescopilot python3-azure
+azure-mgmt-postgresqlflexibleservers python3-azure
+azure-mgmt-powerbidedicated python3-azure
+azure-mgmt-powerbiembedded python3-azure
+azure-mgmt-privatedns python3-azure
+azure-mgmt-programmableconnectivity python3-azure
+azure-mgmt-purestorageblock python3-azure
+azure-mgmt-purview python3-azure
+azure-mgmt-quantum python3-azure
+azure-mgmt-qumulo python3-azure
+azure-mgmt-quota python3-azure
+azure-mgmt-rdbms python3-azure
+azure-mgmt-recoveryservices python3-azure
+azure-mgmt-recoveryservicesbackup python3-azure
+azure-mgmt-recoveryservicesbackup-passivestamp python3-azure
+azure-mgmt-recoveryservicesdatareplication python3-azure
+azure-mgmt-recoveryservicessiterecovery python3-azure
+azure-mgmt-redhatopenshift python3-azure
+azure-mgmt-redis python3-azure
+azure-mgmt-redisenterprise python3-azure
+azure-mgmt-relay python3-azure
+azure-mgmt-reservations python3-azure
+azure-mgmt-resource python3-azure
+azure-mgmt-resource-bicep python3-azure
+azure-mgmt-resource-deployments python3-azure
+azure-mgmt-resource-deploymentscripts python3-azure
+azure-mgmt-resource-deploymentstacks python3-azure
+azure-mgmt-resource-templatespecs python3-azure
+azure-mgmt-resourceconnector python3-azure
+azure-mgmt-resourcegraph python3-azure
+azure-mgmt-resourcehealth python3-azure
+azure-mgmt-resourcemover python3-azure
+azure-mgmt-scvmm python3-azure
+azure-mgmt-search python3-azure
+azure-mgmt-secretsstoreextension python3-azure
+azure-mgmt-security python3-azure
+azure-mgmt-securitydevops python3-azure
+azure-mgmt-securityinsight python3-azure
+azure-mgmt-selfhelp python3-azure
+azure-mgmt-serialconsole python3-azure
+azure-mgmt-servicebus python3-azure
+azure-mgmt-servicefabric python3-azure
+azure-mgmt-servicefabricmanagedclusters python3-azure
+azure-mgmt-servicelinker python3-azure
+azure-mgmt-servicenetworking python3-azure
+azure-mgmt-signalr python3-azure
+azure-mgmt-sitemanager python3-azure
+azure-mgmt-sphere python3-azure
+azure-mgmt-springappdiscovery python3-azure
+azure-mgmt-sql python3-azure
+azure-mgmt-sqlvirtualmachine python3-azure
+azure-mgmt-standbypool python3-azure
+azure-mgmt-storage python3-azure
+azure-mgmt-storageactions python3-azure
+azure-mgmt-storagecache python3-azure
+azure-mgmt-storagediscovery python3-azure
+azure-mgmt-storageimportexport python3-azure
+azure-mgmt-storagemover python3-azure
+azure-mgmt-storagepool python3-azure
+azure-mgmt-storagesync python3-azure
+azure-mgmt-streamanalytics python3-azure
+azure-mgmt-subscription python3-azure
+azure-mgmt-support python3-azure
+azure-mgmt-synapse python3-azure
+azure-mgmt-terraform python3-azure
+azure-mgmt-testbase python3-azure
+azure-mgmt-timeseriesinsights python3-azure
+azure-mgmt-trafficmanager python3-azure
+azure-mgmt-trustedsigning python3-azure
+azure-mgmt-videoanalyzer python3-azure
+azure-mgmt-vmwarecloudsimple python3-azure
+azure-mgmt-voiceservices python3-azure
+azure-mgmt-web python3-azure
+azure-mgmt-webpubsub python3-azure
+azure-mgmt-weightsandbiases python3-azure
+azure-mgmt-workloadorchestration python3-azure
+azure-mgmt-workloads python3-azure
+azure-mgmt-workloadssapvirtualinstance python3-azure
+azure-mixedreality-authentication python3-azure
+azure-mixedreality-remoterendering python3-azure
+azure-monitor-ingestion python3-azure
+azure-monitor-opentelemetry python3-azure
+azure-monitor-opentelemetry-exporter python3-azure
+azure-monitor-query python3-azure
+azure-monitor-querymetrics python3-azure
+azure-multiapi-storage python3-azure-multiapi-storage
+azure-onlineexperimentation python3-azure
+azure-openai python3-azure
+azure-planetarycomputer python3-azure
+azure-projects python3-azure
+azure-purview-administration python3-azure
+azure-purview-catalog python3-azure
+azure-purview-datamap python3-azure
+azure-purview-scanning python3-azure
+azure-purview-sharing python3-azure
+azure-purview-workflow python3-azure
+azure-schemaregistry python3-azure
+azure-schemaregistry-avroencoder python3-azure
+azure-search-documents python3-azure
+azure-security-attestation python3-azure
+azure-servicebus python3-azure
+azure-servicefabric python3-azure
+azure-storage-blob python3-azure-storage
+azure-storage-blob-changefeed python3-azure-storage
+azure-storage-file-datalake python3-azure-storage
+azure-storage-file-share python3-azure-storage
+azure-storage-queue python3-azure-storage
+azure-synapse-accesscontrol python3-azure
+azure-synapse-artifacts python3-azure
+azure-synapse-managedprivateendpoints python3-azure
+azure-synapse-monitoring python3-azure
+azure-synapse-spark python3-azure
+azure-template python3-azure
 b2 backblaze-b2
 b2sdk python3-b2sdk
 b4 b4
 babel python3-babel
 babelfish python3-babelfish
 babelfont python3-babelfont
+babelgladeextractor python3-babelgladeextractor
 backcall python3-backcall
 backoff python3-backoff
 backupchecker backupchecker
 baler python3-baler
 banal python3-banal
 bandit python3-bandit
-banking.statements.nordea ofxstatement-plugins
-banking.statements.osuuspankki ofxstatement-plugins
+banking-statements-nordea ofxstatement-plugins
+banking-statements-osuuspankki ofxstatement-plugins
 barbican python3-barbican
-barbican_tempest_plugin barbican-tempest-plugin
+barbican-tempest-plugin barbican-tempest-plugin
 barectf python3-barectf
 barman python3-barman
 baron python3-baron
@@ -1221,16 +819,17 @@ base36 python3-base36
 base58 python3-base58
 basemap python3-mpltoolkits.basemap
 bashate python3-bashate
-bayesian_optimization python3-bayesian-optimization
+bayesian-optimization python3-bayesian-optimization
 bayespy python3-bayespy
-bcbio_gff python3-bcbio-gff
+bcbio-gff python3-bcbio-gff
 bcc python3-bpfcc
 bcrypt python3-bcrypt
 bdebstrap bdebstrap
 bdflib bdflib
-bdist_nsi python3-bdist-nsi
+bdist-nsi python3-bdist-nsi
 bdsf python3-bdsf
-beanbag_docutils python3-beanbag-docutils
+beaker python3-beaker
+beanbag-docutils python3-beanbag-docutils
 beancount python3-beancount
 beangrow python3-beangrow
 beangulp python3-beangulp
@@ -1240,7 +839,7 @@ beanquery python3-beanquery
 beartype python3-beartype
 beautifulsoup4 python3-bs4
 behave python3-behave
-bel_resources python3-bel-resources
+bel-resources python3-bel-resources
 bellows python3-bellows
 beniget python3-beniget
 bepasty bepasty
@@ -1251,72 +850,78 @@ betterproto python3-betterproto
 beziers python3-beziers
 bibtexparser python3-bibtexparser
 bidict python3-bidict
-bids_validator python3-bids-validator
+bids-validator python3-bids-validator
 billiard python3-billiard
-bimmer_connected python3-bimmer-connected
+bimmer-connected python3-bimmer-connected
 binaryornot python3-binaryornot
 bincopy python3-bincopy
 binoculars python3-binoculars
 binwalk python3-binwalk
 bioblend python3-bioblend
 bioframe python3-bioframe
-biom_format python3-biom-format
+biom-format python3-biom-format
 biomaj python3-biomaj3
-biomaj_cli python3-biomaj3-cli
-biomaj_core python3-biomaj3-core
-biomaj_daemon python3-biomaj3-daemon
-biomaj_download python3-biomaj3-download
-biomaj_process python3-biomaj3-process
-biomaj_user python3-biomaj3-user
-biomaj_zipkin python3-biomaj3-zipkin
+biomaj-cli python3-biomaj3-cli
+biomaj-core python3-biomaj3-core
+biomaj-daemon python3-biomaj3-daemon
+biomaj-download python3-biomaj3-download
+biomaj-process python3-biomaj3-process
+biomaj-user python3-biomaj3-user
+biomaj-zipkin python3-biomaj3-zipkin
 biopython python3-biopython
 bioregistry python3-bioregistry
+biosig python3-biosig
 biotools python3-biotools
 bioxtasraw python3-bioxtasraw
 bip32utils python3-bip32utils
 biplist python3-biplist
 bitarray python3-bitarray
-bitbucket_api python3-bitbucket-api
+bitbucket-api python3-bitbucket-api
 bitmath python3-bitmath
 bitshuffle bitshuffle
 bitstring python3-bitstring
 bitstruct python3-bitstruct
 bjdata python3-bjdata
 black black
-blacken_docs python3-blacken-docs
+blacken-docs python3-blacken-docs
 blaeu blaeu
 blag blag
+blake3 python3-blake3
 blazar python3-blazar
-blazar_dashboard python3-blazar-dashboard
-blazar_nova python3-blazarnova
+blazar-dashboard python3-blazar-dashboard
+blazar-nova python3-blazarnova
+blazar-tempest-plugin blazar-tempest-plugin
 bleach python3-bleach
 bleak python3-bleak
-bleak_esphome python3-bleak-esphome
-bleak_retry_connector python3-bleak-retry-connector
-blebox_uniapi python3-blebox-uniapi
+bleak-esphome python3-bleak-esphome
+bleak-retry-connector python3-bleak-retry-connector
+blebox-uniapi python3-blebox-uniapi
 blessed python3-blessed
 blinker python3-blinker
 blinkpy python3-blinkpy
 blis python3-cython-blis
+blockbuster python3-blockbuster
 blockdiag python3-blockdiag
 bloom python3-bloom
 blosc python3-blosc
-bluecurrent_api python3-bluecurrent-api
-bluemaestro_ble python3-bluemaestro-ble
-bluetooth_adapters python3-bluetooth-adapters
-bluetooth_auto_recovery python3-bluetooth-auto-recovery
-bluetooth_data_tools python3-bluetooth-data-tools
-bluetooth_sensor_state_data python3-bluetooth-sensor-state-data
-blurhash_python python3-blurhash
+bluecurrent-api python3-bluecurrent-api
+bluemaestro-ble python3-bluemaestro-ble
+bluetooth-adapters python3-bluetooth-adapters
+bluetooth-auto-recovery python3-bluetooth-auto-recovery
+bluetooth-data-tools python3-bluetooth-data-tools
+bluetooth-sensor-state-data python3-bluetooth-sensor-state-data
+blurhash python3-blurhash
 bmaptool bmaptool
 bmtk python3-bmtk
+boinor python3-boinor
 boltons python3-boltons
-bond_async python3-bond-async
+bond-async python3-bond-async
 bondpy python3-bondpy
 bonsai python3-bonsai
 bookletimposer bookletimposer
-boolean.py python3-boolean
-booleanOperations python3-booleanoperations
+boolean-py python3-boolean
+booleanoperations python3-booleanoperations
+bootstrap-flask python3-flask-bootstrap
 borgbackup borgbackup
 borghash python3-borghash
 borgmatic borgmatic
@@ -1325,9 +930,10 @@ boschshcpy python3-boschshcpy
 boto3 python3-boto3
 botocore python3-botocore
 bottle python3-bottle
-bottle_beaker python3-bottle-beaker
-bottle_cork python3-bottle-cork
-bottle_sqlite python3-bottle-sqlite
+bottle-beaker python3-bottle-beaker
+bottle-cork python3-bottle-cork
+bottle-sqlite python3-bottle-sqlite
+bottleneck python3-bottleneck
 bpack python3-bpack
 bpython bpython
 bqplot python3-bqplot
@@ -1339,17 +945,22 @@ breathe python3-breathe
 brebis brebis
 breezy python3-breezy
 brial python3-brial
+brian2 python3-brian
 briefcase python3-briefcase
-bring_api python3-bring-api
+bring-api python3-bring-api
+brlapi python3-brlapi
 broadlink python3-broadlink
-brother_ql brother-ql
+brother-ql brother-ql
+brotli python3-brotli
 brotlicffi python3-brotlicffi
 brottsplatskartan python3-brottsplatskartan
-brz_debian brz-debian
+browser-cookie3 python3-browser-cookie3
+brz-debian brz-debian
 bsddb3 python3-bsddb3
-btchip_python python3-btchip
+btchip-python python3-btchip
 btest btest
-bthome_ble python3-bthome-ble
+bthome-ble python3-bthome-ble
+btrees python3-btrees
 btrfs python3-btrfs
 btrfsutil python3-btrfsutil
 btsocket python3-btsocket
@@ -1357,56 +968,66 @@ bugwarrior bugwarrior
 buienradar python3-buienradar
 build python3-build
 buildbot buildbot
-buildbot_worker buildbot-worker
-buildlog_consultant python3-buildlog-consultant
+buildbot-worker buildbot-worker
+buildlog-consultant python3-buildlog-consultant
+buildstream python3-buildstream
+buildstream-external python3-bst-external
 buku buku
-bumblebee_status bumblebee-status
+bumblebee-status bumblebee-status
 bump2version bumpversion
+bumpfontversion python3-bumpfontversion
 bumps python3-bumps
 bundlewrap bundlewrap
-bx_python python3-bx
+busco busco
+bx-python python3-bx
 bytecode python3-bytecode
 cachecontrol python3-cachecontrol
-cached_ipaddress python3-cached-ipaddress
-cached_property python3-cached-property
+cached-ipaddress python3-cached-ipaddress
+cached-property python3-cached-property
 cachelib python3-cachelib
 cachetools python3-cachetools
 cachey python3-cachey
 cachy python3-cachy
-cads_api_client python3-cads-api-client
+cads-api-client python3-cads-api-client
+cai python3-cai
 caio python3-caio
 cairocffi python3-cairocffi
+cairosvg python3-cairosvg
 caldav python3-caldav
 calendarweek python3-calendarweek
 calendra python3-calendra
 calmjs python3-calmjs
-calmjs.parse python3-calmjs.parse
-calmjs.types python3-calmjs.types
+calmjs-parse python3-calmjs.parse
+calmjs-types python3-calmjs.types
 calypso calypso
-camelot_py camelot
-camera_calibration python3-camera-calibration
-camera_calibration_parsers python3-camera-calibration-parsers
-canadian_ham_exam canadian-ham-exam
+camelot-py camelot
+camera-calibration python3-camera-calibration
+camera-calibration-parsers python3-camera-calibration-parsers
+canadian-ham-exam canadian-ham-exam
 canmatrix python3-canmatrix
 canonicaljson python3-canonicaljson
 capirca python3-capirca
 capstone python3-capstone
 carbon graphite-carbon
-casa_formats_io python3-casa-formats-io
-cassandra_driver python3-cassandra
+cartopy python3-cartopy
+casa-formats-io python3-casa-formats-io
+cassandra-driver python3-cassandra
 castellan python3-castellan
 casttube python3-casttube
 catalogue python3-catalogue
 catfishq catfishq
 catkin python3-catkin
-catkin_pkg python3-catkin-pkg
-catkin_tools catkin-tools
+catkin-pkg python3-catkin-pkg
+catkin-tools catkin-tools
 cattrs python3-cattr
 cbor python3-cbor
 cbor2 python3-cbor2
+cccolutils python3-cccolutils
 ccdproc python3-ccdproc
 cclib python3-cclib
 cctbx python3-cctbx
+cdapplet cairo-dock-dbus-plug-in-interface-python
+cdbashapplet cairo-dock-dbus-plug-in-interface-python
 cdist cdist
 cdl python3-datalab
 cdlclient python3-cdlclient
@@ -1414,37 +1035,40 @@ cdo python3-cdo
 cdsapi python3-cdsapi
 cdsetool python3-cdsetool
 cecilia cecilia
-cedar_backup3 cedar-backup3
+cedar-backup3 cedar-backup3
 ceilometer python3-ceilometer
-ceilometer_instance_poller ceilometer-instance-poller
+ceilometer-instance-poller ceilometer-instance-poller
 ceilometermiddleware python3-ceilometermiddleware
 celery python3-celery
-celery_haystack_ng python3-celery-haystack-ng
-celery_progress python3-celery-progress
+celery-haystack-ng python3-celery-haystack-ng
+celery-progress python3-celery-progress
 censys python3-censys
 ceph python3-ceph-common
-ceph_iscsi ceph-iscsi
-ceph_volume ceph-volume
+ceph-iscsi ceph-iscsi
+ceph-volume ceph-volume
 cephfs python3-cephfs
-cephfs_shell cephfs-shell
-cephfs_top cephfs-top
+cephfs-shell cephfs-shell
+cephfs-top cephfs-top
+cerberus python3-cerberus
+cerealizer python3-cerealizer
 certbot python3-certbot
-certbot_apache python3-certbot-apache
-certbot_dns_cloudflare python3-certbot-dns-cloudflare
-certbot_dns_desec python3-certbot-dns-desec
-certbot_dns_digitalocean python3-certbot-dns-digitalocean
-certbot_dns_dnsimple python3-certbot-dns-dnsimple
-certbot_dns_gehirn python3-certbot-dns-gehirn
-certbot_dns_google python3-certbot-dns-google
-certbot_dns_infomaniak python3-certbot-dns-infomaniak
-certbot_dns_linode python3-certbot-dns-linode
-certbot_dns_ovh python3-certbot-dns-ovh
-certbot_dns_rfc2136 python3-certbot-dns-rfc2136
-certbot_dns_route53 python3-certbot-dns-route53
-certbot_dns_sakuracloud python3-certbot-dns-sakuracloud
-certbot_dns_standalone python3-certbot-dns-standalone
-certbot_nginx python3-certbot-nginx
-certbot_plugin_gandi python3-certbot-dns-gandi
+certbot-apache python3-certbot-apache
+certbot-dns-cloudflare python3-certbot-dns-cloudflare
+certbot-dns-desec python3-certbot-dns-desec
+certbot-dns-digitalocean python3-certbot-dns-digitalocean
+certbot-dns-dnsimple python3-certbot-dns-dnsimple
+certbot-dns-gehirn python3-certbot-dns-gehirn
+certbot-dns-google python3-certbot-dns-google
+certbot-dns-infomaniak python3-certbot-dns-infomaniak
+certbot-dns-linode python3-certbot-dns-linode
+certbot-dns-netcup python3-certbot-dns-netcup
+certbot-dns-ovh python3-certbot-dns-ovh
+certbot-dns-rfc2136 python3-certbot-dns-rfc2136
+certbot-dns-route53 python3-certbot-dns-route53
+certbot-dns-sakuracloud python3-certbot-dns-sakuracloud
+certbot-dns-standalone python3-certbot-dns-standalone
+certbot-nginx python3-certbot-nginx
+certbot-plugin-gandi python3-certbot-dns-gandi
 certifi python3-certifi
 certipy python3-certipy
 certstream python3-certstream
@@ -1457,73 +1081,82 @@ cftime python3-cftime
 cgecore python3-cgecore
 cgelib python3-cgelib
 chacha20poly1305 python3-chacha20poly1305
-chacha20poly1305_reuseable python3-chacha20poly1305-reuseable
+chacha20poly1305-reuseable python3-chacha20poly1305-reuseable
+chameleon python3-chameleon
 changelog python3-changelog
-changelog_chug python3-changelog-chug
+changelog-chug python3-changelog-chug
 changelogd python3-changelogd
 changeo changeo
+chango python3-sphinx-chango
 channels python3-django-channels
-channels_redis python3-channels-redis
+channels-redis python3-channels-redis
 characteristic python3-characteristic
 chardet python3-chardet
-charset_normalizer python3-charset-normalizer
+charset-normalizer python3-charset-normalizer
 chartkick python3-chartkick
-check_manifest check-manifest
-check_patroni check-patroni
+check-jsonschema python3-check-jsonschema
+check-manifest check-manifest
+check-patroni check-patroni
+chemps2 python3-chemps2
+chemspipy python3-chemspipy
 cheroot python3-cheroot
+cherrypy python3-cherrypy3
 chirp chirp
 chocolate python3-chocolate
-ci_info python3-ci-info
+ci-info python3-ci-info
 cif2cell python3-cif2cell
 cigar python3-cigar
 cinder python3-cinder
-cinder_tempest_plugin cinder-tempest-plugin
+cinder-tempest-plugin cinder-tempest-plugin
 circlator circlator
 circuitbreaker python3-circuitbreaker
 circuits python3-circuits
+cirpy python3-cirpy
 ciso8601 python3-ciso8601
-citeproc_py python3-citeproc
-clap_api python3-clap
+citeproc-py python3-citeproc
+clap-api python3-clap
 cleo python3-cleo
 clevercsv python3-clevercsv
-cleware_traffic_light python3-cleware-traffic-light
-cli_helpers python3-cli-helpers
+cleware-traffic-light python3-cleware-traffic-light
+cli-helpers python3-cli-helpers
 click python3-click
-click_completion python3-click-completion
-click_default_group python3-click-default-group
-click_didyoumean python3-click-didyoumean
-click_help_colors python3-click-help-colors
-click_log python3-click-log
-click_man python3-click-man
-click_option_group python3-click-option-group
-click_plugins python3-click-plugins
-click_repl python3-click-repl
-click_threading python3-click-threading
-clickhouse_driver python3-clickhouse-driver
+click-completion python3-click-completion
+click-default-group python3-click-default-group
+click-didyoumean python3-click-didyoumean
+click-help-colors python3-click-help-colors
+click-log python3-click-log
+click-man python3-click-man
+click-option-group python3-click-option-group
+click-repl python3-click-repl
+click-shell python3-click-shell
+click-threading python3-click-threading
+clickhouse-driver python3-clickhouse-driver
 cliff python3-cliff
 cligj python3-cligj
 clikit python3-clikit
 clint python3-clint
-cloud_init cloud-init
-cloud_sptheme python3-cloud-sptheme
+cloud-sptheme python3-cloud-sptheme
 cloudflare python3-cloudflare
 cloudkitty python3-cloudkitty
-cloudkitty_dashboard python3-cloudkitty-dashboard
-cloudkitty_tempest_plugin cloudkitty-tempest-plugin
+cloudkitty-dashboard python3-cloudkitty-dashboard
+cloudkitty-tempest-plugin cloudkitty-tempest-plugin
 cloudpickle python3-cloudpickle
 cloudscraper python3-cloudscraper
 cloup python3-cloup
 cluster python3-cluster
+clustershell python3-clustershell
 cmaes python3-cmaes
-cmake_annotate cmake-format
-cmake_build_extension python3-cmake-build-extension
-cmake_format cmake-format
-cmake_lint cmake-format
-cmake_parse cmake-format
+cmake-annotate cmake-format
+cmake-build-extension python3-cmake-build-extension
+cmake-format cmake-format
+cmake-lint cmake-format
+cmake-parse cmake-format
 cmakelang cmake-format
 cmarkgfm python3-cmarkgfm
 cmd2 python3-cmd2
+cmor python3-cmor
 cmyt python3-cmyt
+cnvkit cnvkit
 coards python3-coards
 cobra python3-cobra
 cockpit cockpit-bridge
@@ -1533,34 +1166,34 @@ codetiming python3-codetiming
 codicefiscale python3-codicefiscale
 cogapp python3-cogapp
 cogent3 python3-cogent3
-cognitive_complexity python3-cognitive-complexity
+cognitive-complexity python3-cognitive-complexity
 coincidence python3-coincidence
-colcon_argcomplete python3-colcon-argcomplete
-colcon_bash python3-colcon-bash
-colcon_cd python3-colcon-cd
-colcon_cmake python3-colcon-cmake
-colcon_core python3-colcon-core
-colcon_defaults python3-colcon-defaults
-colcon_devtools python3-colcon-devtools
-colcon_library_path python3-colcon-library-path
-colcon_metadata python3-colcon-metadata
-colcon_notification python3-colcon-notification
-colcon_output python3-colcon-output
-colcon_package_information python3-colcon-package-information
-colcon_package_selection python3-colcon-package-selection
-colcon_parallel_executor python3-colcon-parallel-executor
-colcon_pkg_config python3-colcon-pkg-config
-colcon_python_setup_py python3-colcon-python-setup-py
-colcon_recursive_crawl python3-colcon-recursive-crawl
-colcon_ros python3-colcon-ros
-colcon_test_result python3-colcon-test-result
-colcon_zsh python3-colcon-zsh
-collections_extended python3-collections-extended
+colcon-argcomplete python3-colcon-argcomplete
+colcon-bash python3-colcon-bash
+colcon-cd python3-colcon-cd
+colcon-cmake python3-colcon-cmake
+colcon-core python3-colcon-core
+colcon-defaults python3-colcon-defaults
+colcon-devtools python3-colcon-devtools
+colcon-library-path python3-colcon-library-path
+colcon-metadata python3-colcon-metadata
+colcon-notification python3-colcon-notification
+colcon-output python3-colcon-output
+colcon-package-information python3-colcon-package-information
+colcon-package-selection python3-colcon-package-selection
+colcon-parallel-executor python3-colcon-parallel-executor
+colcon-pkg-config python3-colcon-pkg-config
+colcon-python-setup-py python3-colcon-python-setup-py
+colcon-recursive-crawl python3-colcon-recursive-crawl
+colcon-ros python3-colcon-ros
+colcon-test-result python3-colcon-test-result
+colcon-zsh python3-colcon-zsh
+collections-extended python3-collections-extended
 colorama python3-colorama
 colorcet python3-colorcet
 colorclass python3-colorclass
 colored python3-colored
-colored_traceback python3-colored-traceback
+colored-traceback python3-colored-traceback
 coloredlogs python3-coloredlogs
 colorful python3-colorful
 colorlog python3-colorlog
@@ -1571,37 +1204,43 @@ colorthief python3-colorthief
 colorzero python3-colorzero
 colour python3-colour
 comm python3-comm
-command_runner python3-command-runner
+command-runner python3-command-runner
 commentjson python3-commentjson
+commitizen commitizen
 commonmark python3-commonmark
+commonmark-bkrs python3-commonmark-bkrs
 compreffor python3-compreffor
 compyle python3-compyle
-con_duct con-duct
-concurrent_log_handler python3-concurrent-log-handler
-conda_package_handling conda-package-handling
-conda_package_streaming python3-conda-package-streaming
+con-duct con-duct
+conda-package-handling conda-package-handling
+conda-package-streaming python3-conda-package-streaming
+condense-json python3-condense-json
 confection python3-confection
 confget python3-confget
+configargparse python3-configargparse
 configobj python3-configobj
-configshell_fb python3-configshell-fb
-confluent_kafka python3-confluent-kafka
-confusable_homoglyphs python3-confusable-homoglyphs
+configshell-fb python3-configshell-fb
+confluent-kafka python3-confluent-kafka
+confspirator python3-confspirator
+confusable-homoglyphs python3-confusable-homoglyphs
 confuse python3-confuse
 congruity congruity
-connection_pool python3-connection-pool
+connection-pool python3-connection-pool
 connio python3-connio
+consensuscore python3-pbconsensuscore
+console-log console-log
 consolekit python3-consolekit
 constantly python3-constantly
-constraint_grammar python3-cg3
+constraint-grammar python3-cg3
 construct python3-construct
-construct_classes python3-construct-classes
+construct-classes python3-construct-classes
 contextily python3-contextily
 contourpy python3-contourpy
 controku python3-controku
 convertdate python3-convertdate
 convertertools python3-convertertools
-conway_polynomials sagemath-database-conway-polynomials
-cookidoo_api python3-cookidoo-api
+conway-polynomials sagemath-database-conway-polynomials
+cookidoo-api python3-cookidoo-api
 cookiecutter python3-cookiecutter
 cookies python3-cookies
 cooler python3-cooler
@@ -1615,8 +1254,8 @@ cotyledon python3-cotyledon
 countrynames python3-countrynames
 covdefaults python3-covdefaults
 coverage python3-coverage
-coverage_test_runner python3-coverage-test-runner
-cplay_ng cplay-ng
+coverage-test-runner python3-coverage-test-runner
+cplay-ng cplay-ng
 cppimport python3-cppimport
 cpplint cpplint
 cppman cppman
@@ -1633,39 +1272,41 @@ crc32c python3-crc32c
 crccheck python3-crccheck
 crcelk python3-crcelk
 crcmod python3-crcmod
-createrepo_c python3-createrepo-c
-crispy_bootstrap3 python3-crispy-bootstrap3
-crispy_bootstrap4 python3-crispy-bootstrap4
-crispy_bootstrap5 python3-crispy-bootstrap5
-crispy_forms_foundation python3-django-crispy-forms-foundation
+createrepo-c python3-createrepo-c
+crispy-bootstrap3 python3-crispy-bootstrap3
+crispy-bootstrap4 python3-crispy-bootstrap4
+crispy-bootstrap5 python3-crispy-bootstrap5
+crispy-forms-foundation python3-django-crispy-forms-foundation
 crit python3-pycriu
 crmsh crmsh
 crochet python3-crochet
-cron_descriptor python3-cron-descriptor
+cron-descriptor python3-cron-descriptor
 croniter python3-croniter
 cronsim python3-cronsim
 crossrefapi python3-crossrefapi
-crownstone_cloud python3-crownstone-cloud
+crownstone-cloud python3-crownstone-cloud
 crudini crudini
-crypt_r python3-crypt-r
+crypt-r python3-crypt-r
 cryptography python3-cryptography
-cryptography_vectors python3-cryptography-vectors
+cryptography-vectors python3-cryptography-vectors
 cs python3-cs
 csa python3-csa
 csaps python3-csaps
 csb python3-csb
 csb43 python3-csb43
 cson python3-cson
-css_parser python3-css-parser
+css-parser python3-css-parser
 csscompressor python3-csscompressor
 cssmin python3-cssmin
 cssselect python3-cssselect
 cssselect2 python3-cssselect2
 cssutils python3-cssutils
 csvkit python3-csvkit
+ct3 python3-cheetah
 ctdconverter ctdconverter
+ctdopts python3-ctdopts
 cumin cumin
-cups_of_caffeine caffeine
+cups-of-caffeine caffeine
 cupshelpers python3-cupshelpers
 curies python3-curies
 cursive python3-cursive
@@ -1674,31 +1315,34 @@ custodia python3-custodia
 custodian python3-custodian
 customidenticon python3-customidenticon
 cutadapt python3-cutadapt
-cuteSV cutesv
-cv_bridge python3-cv-bridge
+cutesv cutesv
+cv-bridge python3-cv-bridge
 cvc5 python3-cvc5
 cvdupdate clamav-cvdupdate
 cvelib python3-cvelib
 cvprac python3-cvprac
+cvss python3-cvss
 cvxopt python3-cvxopt
 cwcwidth python3-cwcwidth
 cwiid python3-cwiid
-cwl_upgrader cwl-upgrader
-cwl_utils python3-cwl-utils
+cwl-upgrader cwl-upgrader
+cwl-utils python3-cwl-utils
 cwlformat cwlformat
 cwltest cwltest
 cwltool cwltool
+cxx python3-cxx-dev
 cxxheaderparser python3-cxxheaderparser
 cyarray python3-cyarray
 cycle cycle
 cycler python3-cycler
-cyclonedx_python_lib python3-cyclonedx-lib
+cyclonedx-python-lib python3-cyclonedx-lib
 cyclopts python3-cyclopts
 cykhash python3-cykhash
-cylc_flow python3-cylc
+cylc-flow python3-cylc
 cymem python3-cymem
 cymruwhois python3-cymruwhois
 cypari2 python3-cypari2
+cython cython3
 cytoolz python3-cytoolz
 cyvcf2 python3-cyvcf2
 czt python3-czt
@@ -1708,28 +1352,33 @@ daiquiri python3-daiquiri
 damo damo
 daphne python3-daphne
 darkslide darkslide
-darts.util.lru python3-darts.lib.utils.lru
+darts-util-lru python3-darts.lib.utils.lru
 dasbus python3-dasbus
 dask python3-dask
-dask_sphinx_theme python3-dask-sphinx-theme
+dask-sphinx-theme python3-dask-sphinx-theme
 databases python3-databases
 datacache python3-datacache
-dataclasses_json python3-dataclasses-json
+dataclass-wizard python3-dataclass-wizard
+dataclasses-json python3-dataclasses-json
 datalad python3-datalad
-datalad_container datalad-container
-datalad_next python3-datalad-next
-datamodel_code_generator python3-datamodel-code-generator
+datalad-container datalad-container
+datalad-next python3-datalad-next
+datamodel-code-generator python3-datamodel-code-generator
 datapoint python3-datapoint
+dataproperty python3-dataproperty
 dataset python3-dataset
 dateparser python3-dateparser
+datetimerange python3-datetimerange
 datrie python3-datrie
 dbf python3-dbf
 dbfread python3-dbfread
 dblatex dblatex
-dbus_deviation python3-dbusdeviation
-dbus_fast python3-dbus-fast
-dbus_next python3-dbus-next
-dbus_python python3-dbus
+dbus-deviation python3-dbusdeviation
+dbus-fast python3-dbus-fast
+dbus-next python3-dbus-next
+dbus-python python3-dbus
+dbussy python3-dbussy
+dbutils python3-dbutils
 dcmstack python3-dcmstack
 dcos python3-dcos
 dctrl2xml dctrl2xml
@@ -1739,8 +1388,8 @@ ddupdate ddupdate
 deap python3-deap
 debdate debdate
 debgpt debgpt
-debian_codesearch_client debian-codesearch-cli
-debian_crossgrader crossgrader
+debian-codesearch-client debian-codesearch-cli
+debian-crossgrader crossgrader
 debiancontributors python3-debiancontributors
 deblur deblur
 debmake debmake
@@ -1750,48 +1399,53 @@ debspawn debspawn
 debtcollector python3-debtcollector
 debugpy python3-debugpy
 debusine python3-debusine
+decli python3-decli
+decopy decopy
 decorator python3-decorator
-deepTools python3-deeptools
 deepdiff python3-deepdiff
 deepdish python3-deepdish
 deepmerge python3-deepmerge
+deeptools python3-deeptools
 deeptoolsintervals python3-deeptoolsintervals
 defcon python3-defcon
 defusedxml python3-defusedxml
 deluge deluge-common
 demjson3 python3-demjson
+dendropy python3-dendropy
 denss python3-denss
-dep_logic python3-dep-logic
+dep-logic python3-dep-logic
+dependency-groups python3-dependency-groups
 depinfo python3-depinfo
+deprecated python3-deprecated
 deprecation python3-deprecation
-deprecation_alias python3-deprecation-alias
-depthcharge_tools depthcharge-tools
+deprecation-alias python3-deprecation-alias
+depthcharge-tools depthcharge-tools
 derpconf python3-derpconf
 designate python3-designate
-designate_dashboard python3-designate-dashboard
-designate_tempest_plugin designate-tempest-plugin
-designate_tlds designate-tlds
+designate-dashboard python3-designate-dashboard
+designate-tempest-plugin designate-tempest-plugin
+designate-tlds designate-tlds
 devialet python3-devialet
-devolo_home_control_api python3-devolo-home-control-api
+devolo-home-control-api python3-devolo-home-control-api
 devscripts devscripts
 dfdatetime python3-dfdatetime
 dfvfs python3-dfvfs
 dfwinreg python3-dfwinreg
-dh_cmake dh-cmake
-dh_virtualenv dh-virtualenv
+dh-cmake dh-cmake
+dh-virtualenv dh-virtualenv
 dhcpig dhcpig
 dhcpy6d dhcpy6d
-diagnostic_analysis python3-diagnostic-analysis
-diagnostic_common_diagnostics python3-diagnostic-common-diagnostics
-diagnostic_updater python3-diagnostic-updater
+diagnostic-analysis python3-diagnostic-analysis
+diagnostic-common-diagnostics python3-diagnostic-common-diagnostics
+diagnostic-updater python3-diagnostic-updater
 diagrams python3-diagrams
 dials python3-dials
-dials_data python3-dials-data
-diaspy_api python3-diaspy
-dib_utils python3-dib-utils
+dials-data python3-dials-data
+diaspy-api python3-diaspy
+dib-utils python3-dib-utils
 diceware diceware
 dicoclient python3-dicoclient
-dicompyler_core python3-dicompylercore
+dicompyler-core python3-dicompylercore
 dict2css python3-dict2css
 dict2xml python3-dict2xml
 dictdiffer python3-dictdiffer
@@ -1799,220 +1453,225 @@ dicteval python3-dicteval
 dictobj python3-dictobj
 dicttoxml python3-dicttoxml
 dicttoxml2 python3-dicttoxml2
-diff_cover diff-cover
-diff_match_patch python3-diff-match-patch
+diff-cover diff-cover
+diff-match-patch python3-diff-match-patch
 diffoscope diffoscope-minimal
 dill python3-dill
-dio_chacon_wifi_api python3-dio-chacon-wifi-api
+dio-chacon-wifi-api python3-dio-chacon-wifi-api
 dioptas dioptas
 dipy python3-dipy
 directv python3-directv
 dirhash python3-dirhash
 dirq python3-dirq
 dirsearch dirsearch
-dirty_equals python3-dirty-equals
-discord.py python3-discord
+dirty-equals python3-dirty-equals
+discord-py python3-discord
 diskcache python3-diskcache
-diskimage_builder python3-diskimage-builder
+diskimage-builder python3-diskimage-builder
+displaycal displaycal
 disptrans python3-disptrans
 dissononce python3-dissononce
-dist_meta python3-dist-meta
+dist-meta python3-dist-meta
 distlib python3-distlib
 distorm3 python3-distorm3
 distributed python3-distributed
 distro python3-distro
-distro_info python3-distro-info
-dj_database_url python3-dj-database-url
-dj_static python3-dj-static
-django_admin_sortable python3-django-adminsortable
-django_adminplus python3-django-adminplus
-django_ajax_selects python3-ajax-select
-django_allauth python3-django-allauth
-django_analytical python3-django-analytical
-django_any_js python3-django-any-js
-django_anymail python3-django-anymail
-django_appconf python3-django-appconf
-django_assets python3-django-assets
-django_auditlog python3-django-auditlog
-django_auth_ldap python3-django-auth-ldap
-django_auto_one_to_one python3-django-auto-one-to-one
-django_axes python3-django-axes
-django_babel python3-django-babel
-django_bitfield python3-django-bitfield
-django_bleach python3-django-bleach
-django_bootstrap_form python3-django-bootstrapform
-django_braces python3-django-braces
-django_cachalot python3-django-cachalot
-django_cache_machine python3-django-cache-machine
-django_cache_memoize python3-django-cache-memoize
-django_cacheops python3-django-cacheops
-django_cas_client python3-django-casclient
-django_cas_server python3-django-cas-server
-django_celery_beat python3-django-celery-beat
-django_celery_email python3-django-celery-email
-django_celery_results python3-django-celery-results
-django_choices_field python3-django-choices-field
-django_ckeditor python3-django-ckeditor
-django_classy_tags python3-django-classy-tags
-django_cleanup python3-django-cleanup
-django_colorfield python3-django-colorfield
-django_compression_middleware python3-django-compression-middleware
-django_compressor python3-django-compressor
-django_constance python3-django-constance
-django_contact_form python3-django-contact-form
-django_contrib_comments python3-django-contrib-comments
-django_cors_headers python3-django-cors-headers
-django_countries python3-django-countries
-django_crispy_forms python3-django-crispy-forms
-django_crum python3-django-crum
-django_csp python3-django-csp
-django_cte python3-django-cte
-django_dbbackup python3-django-dbbackup
-django_dbconn_retry python3-django-dbconn-retry
-django_debreach python3-django-debreach
-django_debug_toolbar python3-django-debug-toolbar
-django_dirtyfields python3-django-dirtyfields
-django_distill python3-django-distill
-django_downloadview python3-django-downloadview
-django_dynamic_fixture python3-django-dynamic-fixture
-django_dynamic_preferences python3-django-dynamic-preferences
-django_environ python3-django-environ
-django_extensions python3-django-extensions
-django_extra_views python3-django-extra-views
-django_favicon_plus_reloaded python3-django-favicon-plus-reloaded
-django_filter python3-django-filters
-django_formtools python3-django-formtools
-django_fsm python3-django-fsm
-django_fsm_2 python3-django-fsm-2
-django_fsm_admin python3-django-fsm-admin
-django_graphiql_debug_toolbar python3-django-graphiql-debug-toolbar
-django_gravatar2 python3-django-gravatar2
-django_guardian python3-django-guardian
-django_guid python3-django-guid
-django_haystack python3-django-haystack
-django_health_check python3-django-health-check
-django_housekeeping python3-django-housekeeping
-django_ical python3-django-ical
-django_iconify python3-django-iconify
-django_imagekit python3-django-imagekit
-django_impersonate python3-django-impersonate
-django_import_export python3-django-import-export
-django_invitations python3-django-invitations
-django_ipware python3-django-ipware
-django_jinja python3-django-jinja
-django_js_asset python3-django-js-asset
-django_js_reverse python3-django-js-reverse
-django_ldapdb python3-django-ldapdb
-django_libsass python3-django-libsass
-django_macaddress python3-django-macaddress
-django_mailman3 python3-django-mailman3
-django_maintenance_mode python3-django-maintenance-mode
-django_maintenancemode python3-django-maintenancemode
-django_markupfield python3-django-markupfield
-django_measurement python3-django-measurement
-django_memoize python3-django-memoize
-django_menu_generator_ng python3-django-menu-generator-ng
-django_model_utils python3-django-model-utils
-django_modelcluster python3-django-modelcluster
-django_modeltranslation python3-django-modeltranslation
-django_mptt python3-django-mptt
-django_navtag python3-django-navtag
-django_netfields python3-django-netfields
-django_notification python3-django-notification
-django_oauth_toolkit python3-django-oauth-toolkit
-django_object_actions python3-django-object-actions
-django_ordered_model python3-django-ordered-model
-django_organizations python3-django-organizations
-django_otp python3-django-otp
-django_otp_yubikey python3-django-otp-yubikey
-django_pagination python3-django-pagination
-django_paintstore python3-django-paintstore
-django_parler python3-django-parler
-django_pglocks python3-django-pglocks
-django_pgschemas python3-django-pgschemas
-django_pgtrigger python3-django-pgtrigger
-django_phonenumber_field python3-django-phonenumber-field
-django_picklefield python3-django-picklefield
-django_pint python3-django-pint
-django_pipeline python3-django-pipeline
-django_polymodels python3-django-polymodels
-django_polymorphic python3-django-polymorphic
-django_postgres_extra python3-django-postgres-extra
-django_prometheus python3-django-prometheus
-django_push_notifications python3-django-push-notifications
-django_pyscss python3-django-pyscss
-django_python3_ldap python3-django-python3-ldap
-django_q2 python3-django-q
-django_qr_code python3-django-qr-code
-django_ranged_response python3-django-ranged-response
-django_ratelimit python3-django-ratelimit
-django_recurrence python3-django-recurrence
-django_redis python3-django-redis
-django_redis_sessions python3-django-redis-sessions
-django_registration python3-django-registration
-django_render_block python3-django-render-block
-django_rest_hooks python3-django-rest-hooks
-django_reversion python3-django-reversion
-django_rich python3-django-rich
-django_rq python3-django-rq
-django_sass python3-django-sass
-django_sass_processor python3-django-sass-processor
-django_sekizai python3-django-sekizai
-django_select2 python3-django-select2
-django_session_security python3-django-session-security
-django_shortuuidfield python3-django-shortuuidfield
-django_simple_captcha python3-django-captcha
-django_simple_history python3-django-simple-history
-django_simple_redis_admin python3-django-redis-admin
-django_sitetree python3-django-sitetree
-django_solo python3-django-solo
-django_sortedm2m python3-sortedm2m
-django_split_settings python3-django-split-settings
-django_storages python3-django-storages
-django_stronghold python3-django-stronghold
-django_structlog python3-django-structlog
-django_tables2 python3-django-tables2
-django_tagging python3-django-tagging
-django_taggit python3-django-taggit
-django_tastypie python3-django-tastypie
-django_templated_email python3-django-templated-email
-django_test_migrations python3-django-test-migrations
-django_timescaledb python3-django-timescaledb
-django_timezone_field python3-django-timezone-field
-django_titofisto python3-django-titofisto
-django_tree_queries python3-django-tree-queries
-django_treebeard python3-django-treebeard
-django_uwsgi_ng python3-django-uwsgi-ng
-django_waffle python3-django-waffle
-django_webpack_loader python3-django-webpack-loader
-django_webtest python3-django-webtest
-django_widget_tweaks python3-django-widget-tweaks
-django_xmlrpc python3-django-xmlrpc
-django_yarnpkg python3-django-yarnpkg
-django_zeal python3-django-zeal
+distro-info python3-distro-info
+dj-database-url python3-dj-database-url
+dj-static python3-dj-static
+django python3-django
+django-admin-sortable python3-django-adminsortable
+django-adminplus python3-django-adminplus
+django-ajax-selects python3-ajax-select
+django-allauth python3-django-allauth
+django-analytical python3-django-analytical
+django-any-js python3-django-any-js
+django-anymail python3-django-anymail
+django-appconf python3-django-appconf
+django-assets python3-django-assets
+django-auditlog python3-django-auditlog
+django-auth-ldap python3-django-auth-ldap
+django-auto-one-to-one python3-django-auto-one-to-one
+django-axes python3-django-axes
+django-babel python3-django-babel
+django-bitfield python3-django-bitfield
+django-bleach python3-django-bleach
+django-bootstrap-form python3-django-bootstrapform
+django-braces python3-django-braces
+django-cachalot python3-django-cachalot
+django-cache-machine python3-django-cache-machine
+django-cache-memoize python3-django-cache-memoize
+django-cacheops python3-django-cacheops
+django-cas-client python3-django-casclient
+django-cas-server python3-django-cas-server
+django-celery-beat python3-django-celery-beat
+django-celery-email python3-django-celery-email
+django-celery-results python3-django-celery-results
+django-choices-field python3-django-choices-field
+django-classy-tags python3-django-classy-tags
+django-cleanup python3-django-cleanup
+django-colorfield python3-django-colorfield
+django-compression-middleware python3-django-compression-middleware
+django-compressor python3-django-compressor
+django-constance python3-django-constance
+django-contact-form python3-django-contact-form
+django-contrib-comments python3-django-contrib-comments
+django-cors-headers python3-django-cors-headers
+django-countries python3-django-countries
+django-crispy-forms python3-django-crispy-forms
+django-crum python3-django-crum
+django-csp python3-django-csp
+django-cte python3-django-cte
+django-dbbackup python3-django-dbbackup
+django-dbconn-retry python3-django-dbconn-retry
+django-debreach python3-django-debreach
+django-debug-toolbar python3-django-debug-toolbar
+django-dirtyfields python3-django-dirtyfields
+django-distill python3-django-distill
+django-downloadview python3-django-downloadview
+django-dynamic-fixture python3-django-dynamic-fixture
+django-dynamic-preferences python3-django-dynamic-preferences
+django-environ python3-django-environ
+django-extensions python3-django-extensions
+django-extra-views python3-django-extra-views
+django-favicon-plus-reloaded python3-django-favicon-plus-reloaded
+django-filter python3-django-filters
+django-formtools python3-django-formtools
+django-fsm python3-django-fsm
+django-fsm-2 python3-django-fsm-2
+django-fsm-admin python3-django-fsm-admin
+django-graphiql-debug-toolbar python3-django-graphiql-debug-toolbar
+django-gravatar2 python3-django-gravatar2
+django-guardian python3-django-guardian
+django-guid python3-django-guid
+django-hashids python3-django-hashids
+django-haystack python3-django-haystack
+django-health-check python3-django-health-check
+django-housekeeping python3-django-housekeeping
+django-htmx python3-django-htmx
+django-iconify python3-django-iconify
+django-imagekit python3-django-imagekit
+django-impersonate python3-django-impersonate
+django-import-export python3-django-import-export
+django-invitations python3-django-invitations
+django-ipware python3-django-ipware
+django-jinja python3-django-jinja
+django-js-asset python3-django-js-asset
+django-js-reverse python3-django-js-reverse
+django-ldapdb python3-django-ldapdb
+django-libsass python3-django-libsass
+django-macaddress python3-django-macaddress
+django-mailman3 python3-django-mailman3
+django-maintenance-mode python3-django-maintenance-mode
+django-maintenancemode python3-django-maintenancemode
+django-markupfield python3-django-markupfield
+django-measurement python3-django-measurement
+django-memoize python3-django-memoize
+django-menu-generator-ng python3-django-menu-generator-ng
+django-model-utils python3-django-model-utils
+django-modelcluster python3-django-modelcluster
+django-modeltranslation python3-django-modeltranslation
+django-mptt python3-django-mptt
+django-navtag python3-django-navtag
+django-netfields python3-django-netfields
+django-notification python3-django-notification
+django-oauth-toolkit python3-django-oauth-toolkit
+django-object-actions python3-django-object-actions
+django-ordered-model python3-django-ordered-model
+django-organizations python3-django-organizations
+django-otp python3-django-otp
+django-otp-yubikey python3-django-otp-yubikey
+django-pagination python3-django-pagination
+django-paintstore python3-django-paintstore
+django-parler python3-django-parler
+django-pgbulk python3-django-pgbulk
+django-pglocks python3-django-pglocks
+django-pgschemas python3-django-pgschemas
+django-pgtransaction python3-django-pgtransaction
+django-pgtrigger python3-django-pgtrigger
+django-phonenumber-field python3-django-phonenumber-field
+django-picklefield python3-django-picklefield
+django-pint python3-django-pint
+django-pipeline python3-django-pipeline
+django-polymodels python3-django-polymodels
+django-polymorphic python3-django-polymorphic
+django-postgres-extra python3-django-postgres-extra
+django-prometheus python3-django-prometheus
+django-push-notifications python3-django-push-notifications
+django-pyscss python3-django-pyscss
+django-python3-ldap python3-django-python3-ldap
+django-q2 python3-django-q
+django-qr-code python3-django-qr-code
+django-ranged-response python3-django-ranged-response
+django-ratelimit python3-django-ratelimit
+django-recurrence python3-django-recurrence
+django-redis python3-django-redis
+django-redis-sessions python3-django-redis-sessions
+django-registration python3-django-registration
+django-render-block python3-django-render-block
+django-rest-hooks python3-django-rest-hooks
+django-reversion python3-django-reversion
+django-rich python3-django-rich
+django-rq python3-django-rq
+django-sass python3-django-sass
+django-sass-processor python3-django-sass-processor
+django-sekizai python3-django-sekizai
+django-select2 python3-django-select2
+django-session-security python3-django-session-security
+django-shortuuidfield python3-django-shortuuidfield
+django-simple-captcha python3-django-captcha
+django-simple-history python3-django-simple-history
+django-simple-redis-admin python3-django-redis-admin
+django-sitetree python3-django-sitetree
+django-solo python3-django-solo
+django-sortedm2m python3-sortedm2m
+django-split-settings python3-django-split-settings
+django-storages python3-django-storages
+django-stronghold python3-django-stronghold
+django-structlog python3-django-structlog
+django-tables2 python3-django-tables2
+django-tagging python3-django-tagging
+django-taggit python3-django-taggit
+django-tastypie python3-django-tastypie
+django-templated-email python3-django-templated-email
+django-test-migrations python3-django-test-migrations
+django-timescaledb python3-django-timescaledb
+django-timezone-field python3-django-timezone-field
+django-titofisto python3-django-titofisto
+django-tree-queries python3-django-tree-queries
+django-treebeard python3-django-treebeard
+django-uwsgi-ng python3-django-uwsgi-ng
+django-waffle python3-django-waffle
+django-webpack-loader python3-django-webpack-loader
+django-webtest python3-django-webtest
+django-widget-tweaks python3-django-widget-tweaks
+django-xmlrpc python3-django-xmlrpc
+django-yarnpkg python3-django-yarnpkg
+django-zeal python3-django-zeal
 djangorestframework python3-djangorestframework
-djangorestframework_api_key python3-djangorestframework-api-key
-djangorestframework_filters python3-djangorestframework-filters
-djangorestframework_gis python3-djangorestframework-gis
-djangorestframework_guardian python3-django-restframework-guardian
-djangorestframework_simplejwt python3-djangorestframework-simplejwt
+djangorestframework-api-key python3-djangorestframework-api-key
+djangorestframework-filters python3-djangorestframework-filters
+djangorestframework-gis python3-djangorestframework-gis
+djangorestframework-guardian python3-django-restframework-guardian
+djangorestframework-simplejwt python3-djangorestframework-simplejwt
 djangosaml2 python3-django-saml2
 djantic python3-djantic
 djoser python3-djoser
 djvubind djvubind
-djvulibre_python python3-djvu
+djvulibre-python python3-djvu
 dkimpy python3-dkim
-dkimpy_milter dkimpy-milter
+dkimpy-milter dkimpy-milter
 dlt python3-dlt
 dltlyse python3-dltlyse
-dm_tree python3-dm-tree
-dmm_highvoltage python3-dmm
+dm-tree python3-dm-tree
+dmm-highvoltage python3-dmm
 dmsh python3-dmsh
-dna_jellyfish python3-dna-jellyfish
+dna-jellyfish python3-dna-jellyfish
 dnaio python3-dnaio
+dnapi python3-dnapilib
 dnarrange dnarrange
 dnf python3-dnf
-dns_lexicon python3-lexicon
+dns-lexicon python3-lexicon
 dnsdiag dnsdiag
 dnslib python3-dnslib
 dnspython python3-dnspython
@@ -2022,32 +1681,36 @@ dnsviz dnsviz
 doc8 python3-doc8
 docformatter python3-docformatter
 docker python3-docker
-docker_pycreds python3-dockerpycreds
+docker-pycreds python3-dockerpycreds
 dockerpty python3-dockerpty
 docopt python3-docopt
-docopt_ng python3-docopt-ng
-docstring_parser python3-docstring-parser
-docstring_to_markdown python3-docstring-to-markdown
+docopt-ng python3-docopt-ng
+docstring-parser python3-docstring-parser
+docstring-to-markdown python3-docstring-to-markdown
 docutils python3-docutils
 docxcompose python3-docxcompose
 docxtpl python3-docxtpl
 dodgy dodgy
-dogpile.cache python3-dogpile.cache
+dogpile-cache python3-dogpile.cache
 dogtail python3-dogtail
+doh-cli doh-cli
 doit python3-doit
-dolfinx_mpc python3-dolfinx-mpc
-dom_toml python3-dom-toml
+dolfinx-mpc python3-dolfinx-mpc
+dom-toml python3-dom-toml
+domain-coordinator python3-domain-coordinator
 domain2idna python3-domain2idna
-domain_coordinator python3-domain-coordinator
-domdf_python_tools python3-domdf-python-tools
+domdf-python-tools python3-domdf-python-tools
 dominate python3-dominate
 donfig python3-donfig
+doorbirdpy python3-doorbirdpy
 dosage dosage
 dot2tex dot2tex
 dotdrop dotdrop
-dotenv_cli dotenv-cli
+dotenv-cli dotenv-cli
 dotmap python3-dotmap
-dotty_dict python3-dotty-dict
+dotty-dict python3-dotty-dict
+doubleratchet python3-doubleratchet
+doubly-py-linked-list python3-doubly-py-linked-list
 doxypypy python3-doxypypy
 doxyqml doxyqml
 doxysphinx python3-doxysphinx
@@ -2055,11 +1718,11 @@ dpath python3-dpath
 dpkt python3-dpkt
 dput python3-dput
 drafthorse python3-drafthorse
-drf_extensions python3-djangorestframework-extensions
-drf_flex_fields python3-djangorestframework-flex-fields
-drf_generators python3-djangorestframework-generators
-drf_haystack python3-djangorestframework-haystack
-drf_spectacular python3-djangorestframework-spectacular
+drf-extensions python3-djangorestframework-extensions
+drf-flex-fields python3-djangorestframework-flex-fields
+drf-generators python3-djangorestframework-generators
+drf-haystack python3-djangorestframework-haystack
+drf-spectacular python3-djangorestframework-spectacular
 drgn python3-drgn
 drizzle python3-drizzle
 drmaa python3-drmaa
@@ -2068,17 +1731,19 @@ droidlysis droidlysis
 dropbox python3-dropbox
 dropmqttapi python3-dropmqttapi
 drslib python3-drslib
+dsc-datatool oarc-dsc-datatool
+dsv python3-dsv
 dtcwt python3-dtcwt
 dtfabric python3-dtfabric
 dtrx dtrx
 dtschema dt-schema
-duckpy python3-duckpy
 duecredit python3-duecredit
 duet python3-duet
 dulwich python3-dulwich
 dunamai python3-dunamai
 duniterpy python3-duniterpy
-duo_client python3-duo-client
+dunk dunk
+duo-client python3-duo-client
 duplicity duplicity
 durdraw durdraw
 dxchange python3-dxchange
@@ -2087,44 +1752,57 @@ dxfile python3-dxfile
 dxtbx python3-cctbx
 dyda python3-dyda
 dynaconf python3-dynaconf
-dynamic_reconfigure python3-dynamic-reconfigure
+dynamic-reconfigure python3-dynamic-reconfigure
+dynasor python3-dynasor
 eagerpy python3-eagerpy
-easy_ansi python3-easyansi
-easy_enum python3-easy-enum
+easy-ansi python3-easyansi
+easy-enum python3-easy-enum
 easydev python3-easydev
 easydict python3-easydict
 easyenergy python3-easyenergy
 easygui python3-easygui
+easyprocess python3-easyprocess
 easysnmp python3-easysnmp
 easywebdav python3-easywebdav
+ebooklib python3-ebooklib
 eccodes python3-eccodes
 ecdsa python3-ecdsa
 echo python3-echo
-ecmwf_api_client python3-ecmwf-api-client
+ecmwf-api-client python3-ecmwf-api-client
 ecmwflibs python3-ecmwflibs
-ecs_logging python3-ecs-logging
-edgegrid_python python3-edgegrid
+ecs-logging python3-ecs-logging
+edgegrid-python python3-edgegrid
 editables python3-editables
+editobj3 python3-editobj3
+editorconfig python3-editorconfig
 edlib python3-edlib
 edlio python3-edlio
-efficient_apriori python3-efficient-apriori
+efficient-apriori python3-efficient-apriori
 einops python3-einops
 einsteinpy python3-einsteinpy
-elastic_transport python3-elastic-transport
+einx python3-einx
+elastic-transport python3-elastic-transport
 elasticsearch python3-elasticsearch
-elasticsearch_curator python3-elasticsearch-curator
+elasticsearch-curator python3-elasticsearch-curator
+electrum python3-electrum
+electrum-aionostr python3-electrum-aionostr
+electrum-ecc python3-electrum-ecc
 elementpath python3-elementpath
 elgato python3-elgato
 eliot python3-eliot
-elmax_api python3-elmax-api
-email_validator python3-email-validator
+elmax-api python3-elmax-api
+email-validator python3-email-validator
+emailproxy python3-email-oauth2-proxy
 emcee python3-emcee
-emmet_core python3-emmet-core
+emmet-core python3-emmet-core
 emoji python3-emoji
 emperor python3-emperor
 empy python3-empy
-emulated_roku python3-emulated-roku
+emulated-roku python3-emulated-roku
+enaml python3-enaml
+enamlx python3-enamlx
 endesive python3-endesive
+endgame-singularity singularity
 energyzero python3-energyzero
 enet python3-enet
 enjarify enjarify
@@ -2133,36 +1811,40 @@ enmerkar python3-enmerkar
 enocean python3-enocean
 enrich python3-enrich
 entrypoints python3-entrypoints
-enum_tools python3-enum-tools
+enum-tools python3-enum-tools
 envisage python3-envisage
-envoy_utils python3-envoy-utils
+envoy-utils python3-envoy-utils
 envparse python3-envparse
 envs python3-envs
 enzyme python3-enzyme
+eodag python3-eodag
 epc python3-epc
 ephem python3-ephem
-ephemeral_port_reserve python3-ephemeral-port-reserve
+ephemeral-port-reserve python3-ephemeral-port-reserve
 epimodels python3-epimodels
 epoptes epoptes
 errbot errbot
-es_client python3-es-client
+es-client python3-es-client
 escapism python3-escapism
 esda python3-esda
 esmre python3-esmre
 esptool esptool
-et_xmlfile python3-et-xmlfile
+et-xmlfile python3-et-xmlfile
 etcd3 python3-etcd3
 etcd3gw python3-etcd3gw
 ete3 python3-ete3
 etelemetry python3-etelemetry
 eternalegypt python3-eternalegypt
 etesync python3-etesync
+eth-hash python3-eth-hash
+eth-typing python3-eth-typing
+eth-utils python3-eth-utils
 ethtool python3-ethtool
 eumdac python3-eumdac
 evalidate python3-evalidate
 evdev python3-evdev
 eventlet python3-eventlet
-ewah_bool_utils python3-ewah-bool-utils
+ewah-bool-utils python3-ewah-bool-utils
 ewmh python3-ewmh
 ewoks python3-ewoks
 ewokscore python3-ewokscore
@@ -2172,18 +1854,20 @@ ewoksorange python3-ewoksorange
 ewoksppf python3-ewoksppf
 ewoksutils python3-ewoksutils
 exabgp python3-exabgp
-exceptiongroup python3-exceptiongroup
-exchange_calendars python3-exchange-calendars
+exchange-calendars python3-exchange-calendars
 exchangelib python3-exchangelib
 execnet python3-execnet
 executing python3-executing
 exhale python3-exhale
+exifread python3-exifread
 exotel python3-exotel
 expandvars python3-expandvars
 expecttest python3-expecttest
 expiringdict python3-expiringdict
-extension_helpers python3-extension-helpers
+extension-helpers python3-extension-helpers
 extinction python3-extinction
+extra-data python3-extra-data
+extractor python3-extractor
 extranormal3 python3-extranormal3
 extras python3-extras
 extruct python3-extruct
@@ -2194,18 +1878,19 @@ faadelays python3-faadelays
 fabio python3-fabio
 fabric python3-fabric
 fabulous python3-fabulous
-factory_boy python3-factory-boy
+factory-boy python3-factory-boy
 fades fades
 fail2ban fail2ban
 faiss python3-faiss
-fake_useragent python3-fake-useragent
+fake-useragent python3-fake-useragent
+faker python3-fake-factory
 fakeredis python3-fakeredis
 fakesleep python3-fakesleep
 falcon python3-falcon
 fangfrisch fangfrisch
 fann2 python3-fann2
+fast-histogram python3-fast-histogram
 fast5 python3-fast5
-fast_histogram python3-fast-histogram
 fastapi python3-fastapi
 fastbencode python3-fastbencode
 fastchunking python3-fastchunking
@@ -2222,42 +1907,43 @@ fava python3-fava
 fbless fbless
 fbtftp python3-fbtftp
 fdroidserver fdroidserver
-feather_format python3-feather-format
-feature_check python3-feature-check
-febelfin_coda python3-febelfin-coda
+feather-format python3-feather-format
+feature-check python3-feature-check
+febelfin-coda python3-febelfin-coda
 feed2exec feed2exec
 feed2toot feed2toot
 feedgen python3-feedgen
 feedgenerator python3-feedgenerator
 feedparser python3-feedparser
-fenics_basix python3-basix
-fenics_dijitso python3-dijitso
-fenics_dolfin python3-dolfin
-fenics_ffc python3-ffc
-fenics_ffcx python3-ffcx
-fenics_fiat python3-fiat
-fenics_ufl python3-ufl
-fenics_ufl_legacy python3-ufl-legacy
-fenrir_screenreader fenrir
+fenics-basix python3-basix
+fenics-dijitso python3-dijitso
+fenics-dolfin python3-dolfin
+fenics-ffc python3-ffc
+fenics-ffcx python3-ffcx
+fenics-fiat python3-fiat
+fenics-ufl python3-ufl
+fenics-ufl-legacy python3-ufl-legacy
+fenrir-screenreader fenrir
 ffcv python3-ffcv
-fhs_paths python3-fhs
+ffmpeg-progress-yield python3-ffmpeg-progress-yield
+fhs-paths python3-fhs
 fido2 python3-fido2
 fierce fierce
-file_encryptor python3-file-encryptor
-file_read_backwards python3-file-read-backwards
+file-encryptor python3-file-encryptor
+file-read-backwards python3-file-read-backwards
 filecheck python3-filecheck
 filelock python3-filelock
-files_to_prompt files-to-prompt
+files-to-prompt files-to-prompt
 filetype python3-filetype
 finalcif finalcif
-find_libpython python3-find-libpython
+find-libpython python3-find-libpython
 findlibs python3-findlibs
 findpython python3-findpython
 fingerprints python3-fingerprints
 fints python3-fints
 fiona python3-fiona
 fire python3-fire
-firebase_messaging python3-firebase-messaging
+firebase-messaging python3-firebase-messaging
 firehose python3-firehose
 first python3-first
 fissix python3-fissix
@@ -2265,79 +1951,105 @@ fisx python3-fisx
 fitbit python3-fitbit
 fitsio python3-fitsio
 fiu python3-fiu
-fivem_api python3-fivem-api
+fivem-api python3-fivem-api
 fixtures python3-fixtures
 fjaraskupan python3-fjaraskupan
 flake8 python3-flake8
-flake8_2020 python3-flake8-2020
-flake8_black python3-flake8-black
-flake8_blind_except python3-flake8-blind-except
-flake8_builtins python3-flake8-builtins
-flake8_class_newline python3-flake8-class-newline
-flake8_cognitive_complexity python3-flake8-cognitive-complexity
-flake8_comprehensions python3-flake8-comprehensions
-flake8_deprecated python3-flake8-deprecated
-flake8_docstrings python3-flake8-docstrings
-flake8_import_order python3-flake8-import-order
-flake8_mutable python3-flake8-mutable
-flake8_noqa python3-flake8-noqa
-flake8_pytest python3-flake8-pytest
-flake8_quotes python3-flake8-quotes
-flake8_spellcheck python3-flake8-spellcheck
+flake8-2020 python3-flake8-2020
+flake8-black python3-flake8-black
+flake8-blind-except python3-flake8-blind-except
+flake8-builtins python3-flake8-builtins
+flake8-class-newline python3-flake8-class-newline
+flake8-cognitive-complexity python3-flake8-cognitive-complexity
+flake8-comprehensions python3-flake8-comprehensions
+flake8-deprecated python3-flake8-deprecated
+flake8-docstrings python3-flake8-docstrings
+flake8-import-order python3-flake8-import-order
+flake8-mutable python3-flake8-mutable
+flake8-noqa python3-flake8-noqa
+flake8-pytest python3-flake8-pytest
+flake8-quotes python3-flake8-quotes
+flake8-spellcheck python3-flake8-spellcheck
 flaky python3-flaky
 flanker python3-flanker
 flasgger python3-flasgger
 flask python3-flask
-flask_babel python3-flask-babel
-flask_cors python3-flask-cors
-flask_dance python3-flask-dance
-flask_debugtoolbar python3-flask-debugtoolbar
-flask_marshmallow python3-flask-marshmallow
-flask_mongoengine python3-flask-mongoengine
-flask_multistatic python3-flaskext.multistatic
-flask_openapi3 python3-flask-openapi3
-flask_paginate python3-flask-paginate
-flask_peewee python3-flask-peewee
-flask_security python3-flask-security
-flask_session python3-flask-session
-flask_sqlalchemy python3-flask-sqlalchemy
-flask_talisman python3-flask-talisman
-flask_wtf python3-flaskext.wtf
+flask-api python3-flask-api
+flask-babel python3-flask-babel
+flask-bcrypt python3-flask-bcrypt
+flask-caching python3-flask-caching
+flask-compress python3-flask-compress
+flask-cors python3-flask-cors
+flask-dance python3-flask-dance
+flask-debugtoolbar python3-flask-debugtoolbar
+flask-flatpages python3-flask-flatpages
+flask-gravatar python3-flask-gravatar
+flask-htmlmin python3-flask-htmlmin
+flask-httpauth python3-flask-httpauth
+flask-jwt-extended python3-python-flask-jwt-extended
+flask-jwt-simple python3-flask-jwt-simple
+flask-ldapconn python3-flask-ldapconn
+flask-limiter python3-flask-limiter
+flask-login python3-flask-login
+flask-mail python3-flask-mail
+flask-marshmallow python3-flask-marshmallow
+flask-migrate python3-flask-migrate
+flask-mongoengine python3-flask-mongoengine
+flask-multistatic python3-flaskext.multistatic
+flask-openapi3 python3-flask-openapi3
+flask-openid python3-flask-openid
+flask-paginate python3-flask-paginate
+flask-paranoid python3-flask-paranoid
+flask-peewee python3-flask-peewee
+flask-principal python3-flask-principal
+flask-restful python3-flask-restful
+flask-security python3-flask-security
+flask-seeder python3-flask-seeder
+flask-session python3-flask-session
+flask-socketio python3-flask-socketio
+flask-sockets python3-flask-sockets
+flask-sqlalchemy python3-flask-sqlalchemy
+flask-talisman python3-flask-talisman
+flask-wtf python3-flaskext.wtf
 flatbuffers python3-flatbuffers
 flatdict python3-flatdict
 flatlatex python3-flatlatex
 flexcache python3-flexcache
-flexit_bacnet python3-flexit-bacnet
+flexit-bacnet python3-flexit-bacnet
 flexmock python3-flexmock
 flexparser python3-flexparser
 flickrapi python3-flickrapi
 flit flit
-flit_core flit
-flit_scm python3-flit-scm
+flit-core flit
+flit-scm python3-flit-scm
+flor python3-flor
 flox python3-flox
-fluent_logger python3-fluent-logger
-flufl.bounce python3-flufl.bounce
-flufl.testing python3-flufl.testing
-flufl_enum python3-flufl.enum
-flufl_i18n python3-flufl.i18n
-flufl_lock python3-flufl.lock
+fluent-logger python3-fluent-logger
+flufl-bounce python3-flufl.bounce
+flufl-enum python3-flufl.enum
+flufl-i18n python3-flufl.i18n
+flufl-lock python3-flufl.lock
+flufl-testing python3-flufl.testing
 fluids python3-fluids
-fluster_conformance fluster
-flux_led python3-flux-led
+fluster-conformance fluster
+flux-led python3-flux-led
 flye flye
-fnv_hash_fast python3-fnv-hash-fast
+fnv-hash-fast python3-fnv-hash-fast
 fnvhash python3-fnvhash
 folium python3-folium
-fontMath python3-fontmath
-fontParts python3-fontparts
-fontPens python3-fontpens
-fonticon_fontawesome6 python3-fonticon-fontawesome6
+fontfeatures python3-fontfeatures
+fonticon-fontawesome6 python3-fonticon-fontawesome6
 fontmake python3-fontmake
+fontmath python3-fontmath
+fontparts python3-fontparts
+fontpens python3-fontpens
 fonttools python3-fonttools
-foobot_async python3-foobot-async
+foobot-async python3-foobot-async
 foolscap python3-foolscap
+forbiddenfruit python3-forbiddenfruit
 ford ford
-forecast_solar python3-forecast-solar
+forecast-solar python3-forecast-solar
+formencode python3-formencode
 formiko formiko
 fortls fortran-language-server
 fparser python3-fparser
@@ -2345,86 +2057,90 @@ fpdf2 python3-fpdf
 fpylll python3-fpylll
 fpyutils python3-fpyutils
 fqdn python3-fqdn
-freeart python3-freeart
-freebox_api python3-freebox-api
-freedom_maker freedom-maker
+freebox-api python3-freebox-api
+freedom-maker freedom-maker
 freenom python3-freenom
 freenub python3-freenub
 freesas python3-freesas
 freesasa python3-freesasa
-freetype_py python3-freetype
+freetype-py python3-freetype
 freezegun python3-freezegun
-freezer_web_ui python3-freezer-web-ui
 frescobaldi frescobaldi
-friendly_traceback python3-friendly-traceback
+friendly python3-friendly
+friendly-styles python3-friendly-styles
+friendly-traceback python3-friendly-traceback
 fritzconnection python3-fritzconnection
-frozen_flask python3-frozen-flask
+frozen-flask python3-frozen-flask
 frozendict python3-frozendict
 frozenlist python3-frozenlist
 fs python3-fs
 fscacher python3-fscacher
+fsquota python3-fsquota
 fsspec python3-fsspec
+ftfy python3-ftfy
 ftputil python3-ftputil
 fudge python3-fudge
 funcparserlib python3-funcparserlib
 funcy python3-funcy
 furl python3-furl
 furo furo
-fuse_python python3-fuse
-fusepy python3-fusepy
-fusion_icon fusion-icon
+fuse-python python3-fuse
+fusion-icon fusion-icon
 futurist python3-futurist
 fuzzywuzzy python3-fuzzywuzzy
 fypp fypp
 fysom python3-fysom
-fyta_cli python3-fyta-cli
-gTTS python3-gtts
-gTTS_token python3-gtts-token
-gTranscribe gtranscribe
-gWakeOnLAN gwakeonlan
+fyta-cli python3-fyta-cli
 gabbi python3-gabbi
 gajim gajim
 galileo galileo
-gallery_dl gallery-dl
+gallery-dl gallery-dl
 galpy python3-galpy
 galternatives galternatives
 gammapy python3-gammapy
-ganesha_top python3-nfs-ganesha
+ganesha-top python3-nfs-ganesha
 ganeshactl python3-nfs-ganesha
-gardena_bluetooth python3-gardena-bluetooth
-gassist_text python3-gassist-text
+gardena-bluetooth python3-gardena-bluetooth
+gassist-text python3-gassist-text
 gast python3-gast
 gattlib python3-gattlib
 gau2grid python3-gau2grid
+gausssum gausssum
 gavodachs python3-gavo-utils
 gbp git-buildpackage
 gbulb python3-gbulb
-gcal_sync python3-gcal-sync
+gcal-sync python3-gcal-sync
 gcalcli gcalcli
 gccjit python3-gccjit
 gcovr gcovr
+gdal python3-gdal
 gdown gdown
 gdspy python3-gdspy
 gencpp python3-gencpp
 geneagrapher python3-geneagrapher
-geneagrapher_core python3-geneagrapher-core
+geneagrapher-core python3-geneagrapher-core
 geneimpacts python3-geneimpacts
 genetic python3-genetic
 genlisp python3-genlisp
 genmsg python3-genmsg
+genometools python3-genometools
 genpy python3-genpy
+genshi python3-genshi
 gensim python3-gensim
 genson python3-genson
 genx3 python3-genx
+geoalchemy2 python3-geoalchemy2
 geographiclib python3-geographiclib
+geoip python3-geoip
 geoip2 python3-geoip2
 geojson python3-geojson
-geojson_pydantic python3-geojson-pydantic
+geojson-pydantic python3-geojson-pydantic
 geolinks python3-geolinks
 geomet python3-geomet
 geopandas python3-geopandas
+geophar geophar
 geopy python3-geopy
-georss_client python3-georss-client
+georss-client python3-georss-client
 germinate python3-germinate
 gerritlib python3-gerritlib
 gertty gertty
@@ -2432,93 +2148,99 @@ getdns python3-getdns
 getmac python3-getmac
 getmail6 getmail6
 gevent python3-gevent
-gevent_websocket python3-gevent-websocket
+gevent-websocket python3-gevent-websocket
 geventhttpclient python3-geventhttpclient
-gfal2_util python3-gfal2-util
 gfapy python3-gfapy
 gffutils python3-gffutils
 gflanguages python3-gflanguages
 gfloat python3-gfloat
+gfsubsets python3-gfsubsets
 gftools gftools
+gguf python3-gguf
 ghdiff python3-ghdiff
 ghostscript python3-ghostscript
-ghp_import ghp-import
+ghp-import ghp-import
 gimmik python3-gimmik
 ginga python3-ginga
 gios python3-gios
-git_big_picture python3-git-big-picture
-git_build_recipe git-build-recipe
-git_cola git-cola
-git_crecord git-crecord
-git_delete_merged_branches python3-git-delete-merged-branches
-git_filter_repo git-filter-repo
-git_imerge git-imerge
-git_os_job python3-git-os-job
-git_pw git-pw
-git_review git-review
-git_revise git-revise
+git-big-picture python3-git-big-picture
+git-build-recipe git-build-recipe
+git-cola git-cola
+git-crecord git-crecord
+git-delete-merged-branches python3-git-delete-merged-branches
+git-filter-repo git-filter-repo
+git-imerge git-imerge
+git-os-job python3-git-os-job
+git-pw git-pw
+git-review git-review
+git-revise git-revise
 gita gita
 gitdb python3-gitdb
 gitinspector gitinspector
-gitlab_rulez gitlab-rulez
+gitlab-rulez gitlab-rulez
 gitlabracadabra gitlabracadabra
 gitless gitless
-gitlike_commands python3-gitlike-commands
-gitlint_core gitlint
+gitlike-commands python3-gitlike-commands
+gitlint-core gitlint
+gitpython python3-git
 gitsome gitsome
 gitubuntu git-ubuntu
 gitup python3-git-repo-updater
 gjson python3-gjson
-glGrib.glfw python3-glgrib-glfw
 glad2 python3-glad
+gladtex python3-gleetex
 glance python3-glance
-glance_store python3-glance-store
-glance_tempest_plugin glance-tempest-plugin
-glances_api python3-glances-api
+glance-store python3-glance-store
+glance-tempest-plugin glance-tempest-plugin
+glances glances
+glances-api python3-glances-api
 glcontext python3-glcontext
-glean_parser glean-parser
+glean-parser glean-parser
 glfw python3-pyglfw
-glob2 python3-glob2
-globus_sdk python3-globus-sdk
+glgrib-glfw python3-glgrib-glfw
+globus-sdk python3-globus-sdk
 glue glue-sprite
-glue_core python3-glue
+glue-core python3-glue
 glymur python3-glymur
-glyphsLib python3-glyphslib
 glyphsets python3-glyphsets
+glyphslib python3-glyphslib
 glyphspkg glyphspkg
 gmplot python3-gmplot
 gmpy2 python3-gmpy2
 gmsh python3-gmsh
 gnocchi python3-gnocchi
 gnocchiclient python3-gnocchiclient
-gnome_activity_journal gnome-activity-journal
-gnome_keysign gnome-keysign
-gnuplot_py python3-gnuplot
+gnome-activity-journal gnome-activity-journal
+gnome-keysign gnome-keysign
+gnuplot-py python3-gnuplot
 gnuplotlib python3-gnuplotlib
-go2rtc_client python3-go2rtc-client
+go2rtc-client python3-go2rtc-client
 goalzero python3-goalzero
+goocalendar python3-goocalendar
 goodvibes python3-goodvibes
 goodwe python3-goodwe
-google_api_core python3-google-api-core
-google_api_python_client python3-googleapi
-google_auth python3-google-auth
-google_auth_httplib2 python3-google-auth-httplib2
-google_auth_oauthlib python3-google-auth-oauthlib
-google_i18n_address python3-google-i18n-address
-google_re2 python3-re2
-googleapis_common_protos python3-googleapis-common-protos
+google-api-core python3-google-api-core
+google-api-python-client python3-googleapi
+google-auth python3-google-auth
+google-auth-httplib2 python3-google-auth-httplib2
+google-auth-oauthlib python3-google-auth-oauthlib
+google-i18n-address python3-google-i18n-address
+google-re2 python3-re2
+googleapis-common-protos python3-googleapis-common-protos
 googlemaps python3-googlemaps
+googlesearch-python python3-googlesearch
 gophian gophian
-goslide_api python3-goslide-api
+goslide-api python3-goslide-api
 gourmand gourmand
-govee_ble python3-govee-ble
-govee_local_api python3-govee-local-api
+govee-ble python3-govee-ble
+govee-local-api python3-govee-local-api
 gpapi python3-gpapi
 gpaw gpaw
 gpfs python3-nfs-ganesha
 gpg python3-gpg
 gphoto2 python3-gphoto2
-gphoto2_cffi python3-gphoto2cffi
+gphoto2-cffi python3-gphoto2cffi
+gpib python3-gpib
 gpiod python3-libgpiod
 gpiozero python3-gpiozero
 gplearn python3-gplearn
@@ -2532,32 +2254,32 @@ gql python3-gql
 grabserial grabserial
 gradientmodel python3-gradientmodel
 graide graide
+grammalecte-fr python3-grammalecte
 gramps gramps
 grapefruit python3-grapefruit
 graphene python3-graphene
-graphene_directives python3-graphene-directives
-graphene_django python3-django-graphene
-graphene_federation python3-graphene-federation
-graphene_mongo python3-graphene-mongo
+graphene-django python3-django-graphene
+graphite-web graphite-web
 graphite2 python3-graphite2
-graphite_web graphite-web
-graphql_core python3-graphql-core
-graphql_relay python3-graphql-relay
+graphql-core python3-graphql-core
+graphql-relay python3-graphql-relay
 graphviz python3-graphviz
 graypy python3-graypy
 greaseweazle greaseweazle
-greenbone_feed_sync greenbone-feed-sync
+greenbone-feed-sync greenbone-feed-sync
 greenlet python3-greenlet
 grequests python3-grequests
+griddataformats python3-griddataformats
 gridnet python3-gridnet
 griffe python3-griffe
-griffe_typingdoc python3-griffe-typingdoc
+griffe-typingdoc python3-griffe-typingdoc
 grokevt grokevt
 grokmirror grokmirror
-growattServer python3-growattserver
+growattserver python3-growattserver
 grpcio python3-grpcio
-grpcio_status python3-grpc-status
-grpcio_tools python3-grpc-tools
+grpcio-reflection python3-grpcio-reflection
+grpcio-status python3-grpc-status
+grpcio-tools python3-grpc-tools
 grpclib python3-grpclib
 gsd python3-gsd
 gspread python3-gspread
@@ -2565,9 +2287,12 @@ gssapi python3-gssapi
 gsw python3-gsw
 gtfparse python3-gtfparse
 gtimelog gtimelog
+gtranscribe gtranscribe
+gtts python3-gtts
+gtts-token python3-gtts-token
 guake guake
 gudhi python3-gudhi
-guess_language_spirit python3-guess-language
+guess-language-spirit python3-guess-language
 guessit python3-guessit
 guidata python3-guidata
 guider guider
@@ -2575,86 +2300,96 @@ guiqwt python3-guiqwt
 guizero python3-guizero
 gumbo python3-gumbo
 gunicorn python3-gunicorn
-guzzle_sphinx_theme python3-guzzle-sphinx-theme
+guzzle-sphinx-theme python3-guzzle-sphinx-theme
 gvb gvb
-gvm_tools gvm-tools
+gvm-tools gvm-tools
+gwakeonlan gwakeonlan
 gwcs python3-gwcs
 gwebsockets python3-gwebsockets
-gyp_next gyp
+gyoto python3-gyoto
+gyp-next gyp
 h11 python3-h11
 h2 python3-h2
 h5netcdf python3-h5netcdf
 h5py python3-h5py
-h5py._debian_h5py_mpi python3-h5py-mpi
-h5py._debian_h5py_serial python3-h5py-serial
+h5py-debian-h5py-mpi python3-h5py-mpi
+h5py-debian-h5py-serial python3-h5py-serial
 h5sparse python3-h5sparse
-ha_iotawattpy python3-iotawattpy
-ha_philipsjs python3-ha-philipsjs
+ha-ffmpeg python3-ha-ffmpeg
+ha-iotawattpy python3-iotawattpy
+ha-philipsjs python3-ha-philipsjs
 habluetooth python3-habluetooth
 hachoir hachoir
 hacking python3-hacking
 halo python3-halo
-handy_archives python3-handy-archives
-haproxy_cmd haproxy-cmd
-haproxy_log_analysis python3-haproxy-log-analysis
+handy-archives python3-handy-archives
+haproxy-cmd haproxy-cmd
+haproxy-log-analysis python3-haproxy-log-analysis
 haproxyadmin python3-haproxyadmin
 hardware python3-hardware
 harlequin harlequin
-harlequin_mysql harlequin-mysql
-harlequin_odbc harlequin-odbc
-harlequin_postgres harlequin-postgres
-harmony_discord python3-harmony
+harlequin-mysql harlequin-mysql
+harlequin-odbc harlequin-odbc
+harlequin-postgres harlequin-postgres
+harmony-discord python3-harmony
 harmonypy python3-harmonypy
-hashID hashid
+hashid hashid
 hashids python3-hashids
-hass_nabucasa python3-hass-nabucasa
+hass-nabucasa python3-hass-nabucasa
 hassil python3-hassil
-hatch_fancy_pypi_readme python3-hatch-fancy-pypi-readme
-hatch_jupyter_builder python3-hatch-jupyter-builder
-hatch_mypyc python3-hatch-mypyc
-hatch_nodejs_version python3-hatch-nodejs-version
-hatch_regex_commit python3-hatch-regex-commit
-hatch_requirements_txt python3-hatch-requirements-txt
-hatch_vcs python3-hatch-vcs
+hatasmota python3-hatasmota
+hatch-build-scripts python3-hatch-build-scripts
+hatch-fancy-pypi-readme python3-hatch-fancy-pypi-readme
+hatch-jupyter-builder python3-hatch-jupyter-builder
+hatch-mypyc python3-hatch-mypyc
+hatch-nodejs-version python3-hatch-nodejs-version
+hatch-regex-commit python3-hatch-regex-commit
+hatch-requirements-txt python3-hatch-requirements-txt
+hatch-sphinx python3-hatch-sphinx
+hatch-vcs python3-hatch-vcs
 hatchling python3-hatchling
 haversine python3-haversine
-haystack_redis python3-django-haystack-redis
+haystack-redis python3-django-haystack-redis
 hazwaz python3-hazwaz
 hcloud python3-hcloud
+hdf-compass python3-hdf-compass
 hdf5plugin python3-hdf5plugin
 hdf5storage python3-hdf5storage
-hdf_compass python3-hdf-compass
 hdmedians python3-hdmedians
 hdmf python3-hdmf
 headerparser python3-headerparser
 healpy python3-healpy
-heat_dashboard python3-heat-dashboard
-heat_tempest_plugin heat-tempest-plugin
+heapdict python3-heapdict
+heat-dashboard python3-heat-dashboard
+heat-tempest-plugin heat-tempest-plugin
 helpdev helpdev
 helpman helpman
+hepunits python3-hepunits
 heudiconv heudiconv
 hexbytes python3-hexbytes
-hg_evolve mercurial-evolve
-hg_git mercurial-git
+hg-evolve mercurial-evolve
+hg-git mercurial-git
 hgapi python3-hgapi
 hickle python3-hickle
 hidapi python3-hid
-hidapi_cffi python3-hidapi
-hiera_py python3-hiera
+hidapi-cffi python3-hidapi
+hiera-py python3-hiera
 hifiberrydsp hifiberry-dsp
 highspy python3-highspy
-hinawa_utils python3-hinawa-utils
+hinawa-utils python3-hinawa-utils
 hiredis python3-hiredis
 hiro python3-hiro
 hishel python3-hishel
+hiyapyco python3-hiyapyco
 hjson python3-hjson
 hl7 python3-hl7
-hlk_sw16 python3-hlk-sw16
+hlk-sw16 python3-hlk-sw16
+hmmed ghmm
 hmmlearn python3-hmmlearn
 hnswlib python3-hnswlib
 hole python3-hole
 holidays python3-holidays
-home_assistant_bluetooth python3-home-assistant-bluetooth
+home-assistant-bluetooth python3-home-assistant-bluetooth
 homeconnect python3-homeconnect
 homematicip python3-homematicip
 horizon python3-django-horizon
@@ -2664,54 +2399,57 @@ hpack python3-hpack
 hsluv python3-hsluv
 hsmwiz hsmwiz
 htcondor condor
+html-text python3-html-text
 html2text python3-html2text
-html5_parser python3-html5-parser
-html5lib_modern python3-html5lib
+html5-parser python3-html5-parser
+html5lib-modern python3-html5lib
 html5rdf python3-html5rdf
-html_text python3-html-text
 htmlmin python3-htmlmin
+htseq python3-htseq
 httmock python3-httmock
-http_ece python3-http-ece
-http_parser python3-http-parser
-http_relay python3-http-relay
+http-ece python3-http-ece
+http-parser python3-http-parser
+http-relay python3-http-relay
 httpbin python3-httpbin
 httpcode httpcode
 httpcore python3-httpcore
 httpie httpie
-httpie_aws_authv4 httpie-aws-authv4
+httpie-aws-authv4 httpie-aws-authv4
 httplib2 python3-httplib2
 httpretty python3-httpretty
 httpsig python3-httpsig
 httptools python3-httptools
 httpx python3-httpx
-httpx_sse python3-httpx-sse
+httpx-ntlm python3-httpx-ntlm
+httpx-sse python3-httpx-sse
+huggingface-hub python3-huggingface-hub
 humanfriendly python3-humanfriendly
 humanize python3-humanize
 humps python3-humps
 hunspell python3-hunspell
 hupper python3-hupper
-hurry.filesize python3-hurry.filesize
+hurry-filesize python3-hurry.filesize
 huum python3-huum
 hvac python3-hvac
 hvcc python3-hvcc
 hy python3-hy
-hydroffice.bag python3-hydroffice.bag
+hyfetch hyfetch
 hypercorn python3-hypercorn
 hyperframe python3-hyperframe
-hyperion_py python3-hyperion-py
+hyperion-py python3-hyperion-py
 hyperkitty python3-django-hyperkitty
 hyperlink python3-hyperlink
 hyperspy python3-hyperspy
 hypothesis python3-hypothesis
-hypothesis_auto python3-hypothesis-auto
+hypothesis-auto python3-hypothesis-auto
 hypothesmith python3-hypothesmith
 i3ipc python3-i3ipc
 i3pystatus i3pystatus
 iapws python3-iapws
 iaqualink python3-iaqualink
-ibeacon_ble python3-ibeacon-ble
-ibm_cloud_sdk_core python3-ibm-cloud-sdk-core
-ibm_watson python3-ibm-watson
+ibeacon-ble python3-ibeacon-ble
+ibm-cloud-sdk-core python3-ibm-cloud-sdk-core
+ibm-watson python3-ibm-watson
 ical python3-ical
 icalendar python3-icalendar
 icdiff icdiff
@@ -2720,24 +2458,26 @@ icmplib python3-icmplib
 icoextract python3-icoextract
 id python3-id
 idasen python3-idasen
-idasen_ha python3-idasen-ha
+idasen-ha python3-idasen-ha
 identify python3-identify
 idna python3-idna
-idseq_bench idseq-bench
+idseq-bench idseq-bench
 ifaddr python3-ifaddr
-igloohome_api python3-igloohome-api
+igloohome-api python3-igloohome-api
 igor python3-igor
 igor2 python3-igor2
 igraph python3-igraph
+ihm python3-ihm
 ijson python3-ijson
 ilorest ilorest
-image_geometry python3-image-geometry
+image-geometry python3-image-geometry
 imageio python3-imageio
-imageio_ffmpeg python3-imageio-ffmpeg
+imageio-ffmpeg python3-imageio-ffmpeg
 imagesize python3-imagesize
-imap_tools python3-imap-tools
+imap-tools python3-imap-tools
+imapclient python3-imapclient
 imaplib2 python3-imaplib2
-imbalanced_learn python3-imblearn
+imbalanced-learn python3-imblearn
 imediff imediff
 imexam python3-imexam
 img2pdf python3-img2pdf
@@ -2748,47 +2488,51 @@ immutabledict python3-immutabledict
 impacket python3-impacket
 impass impass
 importlab python3-importlab
-importlib_metadata python3-importlib-metadata
-importlib_resources python3-importlib-resources
+importlib-metadata python3-importlib-metadata
+importlib-resources python3-importlib-resources
 importmagic python3-importmagic
-in_n_out python3-in-n-out
-in_place python3-in-place
-in_toto in-toto
-include_server distcc-pump
-incomfort_client python3-incomfort-client
+in-n-out python3-in-n-out
+in-place python3-in-place
+in-toto in-toto
+include-server distcc-pump
+incomfort-client python3-incomfort-client
 incremental python3-incremental
 indexed python3-indexed
-indexed_gzip python3-indexed-gzip
+indexed-gzip python3-indexed-gzip
 infinity python3-infinity
 inflate64 python3-inflate64
 inflect python3-inflect
 inflection python3-inflection
 influxdb python3-influxdb
-influxdb_client python3-influxdb-client
-infoblox_client python3-infoblox-client
+influxdb-client python3-influxdb-client
+infoblox-client python3-infoblox-client
 iniconfig python3-iniconfig
 inifile python3-inifile
 iniparse python3-iniparse
 inject python3-inject
 injector python3-injector
-inkbird_ble python3-inkbird-ble
-inline_snapshot python3-inline-snapshot
+inkbird-ble python3-inkbird-ble
+inline-snapshot python3-inline-snapshot
 inotify python3-inotify
-input_remapper python3-inputremapper
+input-remapper python3-inputremapper
 inquirerpy python3-inquirerpy
-installation_birthday installation-birthday
+insilicoseq insilicoseq
+installation-birthday installation-birthday
 installer python3-installer
 instaloader instaloader
 intake python3-intake
 intbitset python3-intbitset
 intelhex python3-intelhex
 intellifire4py python3-intellifire4py
-interactive_markers python3-interactive-markers
+interactive-markers python3-interactive-markers
+interegular python3-interegular
 internetarchive python3-internetarchive
 intervals python3-intervals
 intervaltree python3-intervaltree
-intervaltree_bio python3-intervaltree-bio
+intervaltree-bio python3-intervaltree-bio
+invocations python3-invocations
 invoke python3-invoke
+iometer python3-iometer
 ionit ionit
 ionoscloud python3-ionoscloud
 iotop iotop
@@ -2803,135 +2547,146 @@ ipapython python3-ipalib
 ipdb python3-ipdb
 ipfix python3-ipfix
 ipp python3-libtrace
-iptables_converter iptables-converter
+iptables-converter iptables-converter
+iptcdata python3-iptcdata
+ipy python3-ipy
 ipykernel python3-ipykernel
 ipyparallel python3-ipyparallel
 ipython python3-ipython
-ipython_genutils python3-ipython-genutils
+ipython-genutils python3-ipython-genutils
 ipywidgets python3-ipywidgets
 irc python3-irc
 irclog2html irclog2html
 iredis iredis
 ironic python3-ironic
-ironic_inspector python3-ironic-inspector
-ironic_lib python3-ironic-lib
-ironic_python_agent ironic-python-agent
-ironic_tempest_plugin ironic-tempest-plugin
-ironic_ui python3-ironic-ui
+ironic-inspector python3-ironic-inspector
+ironic-lib python3-ironic-lib
+ironic-python-agent ironic-python-agent
+ironic-tempest-plugin ironic-tempest-plugin
+ironic-ui python3-ironic-ui
 isal python3-isal
 isbg isbg
 isbnlib python3-isbnlib
-isc_dhcp_leases python3-isc-dhcp-leases
+isc-dhcp-leases python3-isc-dhcp-leases
+isenkram isenkram-cli
 iso3166 python3-iso3166
 iso8601 python3-iso8601
 isodate python3-isodate
 isoduration python3-isoduration
 isort python3-isort
+isospecpy python3-isospec
 isosurfaces python3-isosurfaces
 isoweek python3-isoweek
-israel_rail_api python3-israel-rail-api
+israel-rail-api python3-israel-rail-api
 isrcsubmit isrcsubmit
 itango python3-itango
 itemadapter python3-itemadapter
 itemloaders python3-itemloaders
-iterable_io python3-iterable-io
+iterable-io python3-iterable-io
 itsdangerous python3-itsdangerous
 itypes python3-itypes
 iva iva
 j2cli j2cli
 jack jack
-jaeger_client python3-jaeger-client
-jaraco.classes python3-jaraco.classes
-jaraco.collections python3-jaraco.collections
-jaraco.context python3-jaraco.context
-jaraco.functools python3-jaraco.functools
-jaraco.itertools python3-jaraco.itertools
-jaraco.stream python3-jaraco.stream
-jaraco.text python3-jaraco.text
-javaobj_py3 python3-javaobj
+jack-client python3-jack-client
+jaeger-client python3-jaeger-client
+janus python3-janus
+jaraco-classes python3-jaraco.classes
+jaraco-collections python3-jaraco.collections
+jaraco-context python3-jaraco.context
+jaraco-functools python3-jaraco.functools
+jaraco-itertools python3-jaraco.itertools
+jaraco-stream python3-jaraco.stream
+jaraco-text python3-jaraco.text
+javaobj-py3 python3-javaobj
 javaproperties python3-javaproperties
+jaydebeapi python3-jaydebeapi
 jc jc
 jdata python3-jdata
 jdcal python3-jdcal
 jedi python3-jedi
 jeepney python3-jeepney
 jeepyb jeepyb
-jellyfin_apiclient_python python3-jellyfin-apiclient-python
+jellyfin-apiclient-python python3-jellyfin-apiclient-python
 jellyfish python3-jellyfish
-jenkins_job_builder python3-jenkins-job-builder
+jenkins-job-builder python3-jenkins-job-builder
 jenkinsapi python3-jenkinsapi
 jieba python3-jieba
+jinja-vanish python3-jinja-vanish
 jinja2 python3-jinja2
-jinja2_time python3-jinja2-time
-jinja_vanish python3-jinja-vanish
+jinja2-time python3-jinja2-time
 jinjax python3-jinjax
 jiplib python3-jiplib
 jira python3-jira
 jmespath python3-jmespath
 joblib python3-joblib
-joint_state_publisher joint-state-publisher
-joint_state_publisher_gui joint-state-publisher-gui
+joint-state-publisher joint-state-publisher
+joint-state-publisher-gui joint-state-publisher-gui
 josepy python3-josepy
 joserfc python3-joserfc
-journal_brief journal-brief
+journal-brief journal-brief
 joypy python3-joypy
 jplephem python3-jplephem
 jpy python3-jpy
 jpylyzer python3-jpylyzer
+jpype1 python3-jpype
 jq python3-jq
 jsbeautifier python3-jsbeautifier
-jschema_to_python python3-jschema-to-python
+jschema-to-python python3-jschema-to-python
 jsmin python3-jsmin
+json-log-formatter python3-json-log-formatter
+json-rpc python3-jsonrpc
+json-tricks python3-json-tricks
 json5 python3-json5
-json_rpc python3-jsonrpc
-json_tricks python3-json-tricks
 jsondiff python3-jsondiff
 jsonext python3-jsonext
+jsonfield python3-jsonfield
 jsonlines python3-jsonlines
 jsonnet python3-jsonnet
 jsonpatch python3-jsonpatch
-jsonpath_ng python3-jsonpath-ng
-jsonpath_rw python3-jsonpath-rw
-jsonpath_rw_ext python3-jsonpath-rw-ext
+jsonpath-ng python3-jsonpath-ng
+jsonpath-rw python3-jsonpath-rw
+jsonpath-rw-ext python3-jsonpath-rw-ext
 jsonpickle python3-jsonpickle
 jsonpointer python3-json-pointer
-jsonrpc_async python3-jsonrpc-async
-jsonrpc_base python3-jsonrpc-base
-jsonrpc_websocket python3-jsonrpc-websocket
-jsonrpclib_pelix python3-jsonrpclib-pelix
+jsonrpc-async python3-jsonrpc-async
+jsonrpc-base python3-jsonrpc-base
+jsonrpc-websocket python3-jsonrpc-websocket
+jsonrpclib-pelix python3-jsonrpclib-pelix
 jsonschema python3-jsonschema
-jsonschema_path python3-jsonschema-path
-jsonschema_specifications python3-jsonschema-specifications
+jsonschema-path python3-jsonschema-path
+jsonschema-specifications python3-jsonschema-specifications
 jstyleson python3-jstyleson
+jube jube
 juliandate python3-juliandate
-junit_xml python3-junit.xml
+junit-xml python3-junit.xml
+junit2html junit2html
 junitparser python3-junitparser
 junitxml python3-junitxml
-junos_eznc python3-junos-eznc
-jupyter_cache python3-jupyter-cache
-jupyter_client python3-jupyter-client
-jupyter_console python3-jupyter-console
-jupyter_core python3-jupyter-core
-jupyter_events python3-jupyter-events
-jupyter_kernel_test python3-jupyter-kernel-test
-jupyter_packaging python3-jupyter-packaging
-jupyter_server python3-jupyter-server
-jupyter_server_mathjax python3-jupyter-server-mathjax
-jupyter_server_terminals python3-jupyter-server-terminals
-jupyter_sphinx python3-jupyter-sphinx
-jupyter_sphinx_theme python3-jupyter-sphinx-theme
-jupyter_telemetry python3-jupyter-telemetry
-jupyter_ydoc python3-jupyter-ydoc
+junos-eznc python3-junos-eznc
+jupyter-cache python3-jupyter-cache
+jupyter-client python3-jupyter-client
+jupyter-console python3-jupyter-console
+jupyter-core python3-jupyter-core
+jupyter-events python3-jupyter-events
+jupyter-kernel-test python3-jupyter-kernel-test
+jupyter-packaging python3-jupyter-packaging
+jupyter-server python3-jupyter-server
+jupyter-server-mathjax python3-jupyter-server-mathjax
+jupyter-server-terminals python3-jupyter-server-terminals
+jupyter-sphinx python3-jupyter-sphinx
+jupyter-sphinx-theme python3-jupyter-sphinx-theme
+jupyter-telemetry python3-jupyter-telemetry
 jupyterhub jupyterhub
 jupyterlab jupyterlab
-jupyterlab_pygments python3-jupyterlab-pygments
-jupyterlab_server python3-jupyterlab-server
-jupyterlab_widgets python3-jupyterlab-widgets
+jupyterlab-pygments python3-jupyterlab-pygments
+jupyterlab-server python3-jupyterlab-server
+jupyterlab-widgets python3-jupyterlab-widgets
 jupytext python3-jupytext
 justbackoff python3-justbackoff
 justnimbus python3-justnimbus
 jwcrypto python3-jwcrypto
-kafka_python python3-kafka
+kafka-python python3-kafka
 kaitaistruct python3-kaitaistruct
 kajiki python3-kajiki
 kalamine kalamine
@@ -2940,7 +2695,8 @@ kanboard python3-kanboard
 kanjidraw python3-kanjidraw
 kapidox kapidox
 kaptan python3-kaptan
-karabo_bridge python3-karabo-bridge
+kaptive kaptive
+karabo-bridge python3-karabo-bridge
 kas kas
 kazam kazam
 kazoo python3-kazoo
@@ -2948,109 +2704,124 @@ kconfiglib python3-kconfiglib
 kdtree python3-kdtree
 keep python3-keep
 keepalive python3-keepalive
-kegtron_ble python3-kegtron-ble
-keyman_config python3-keyman-config
+kegtron-ble python3-kegtron-ble
+keras-applications python3-keras-applications
+keras-preprocessing python3-keras-preprocessing
+kernel-hardening-checker kernel-hardening-checker
+keyman-config python3-keyman-config
 keymapper keymapper
 keyring python3-keyring
-keyring_pass python3-keyring-pass
-keyrings.alt python3-keyrings.alt
+keyring-pass python3-keyring-pass
+keyrings-alt python3-keyrings.alt
 keystone python3-keystone
-keystone_tempest_plugin keystone-tempest-plugin
+keystone-tempest-plugin keystone-tempest-plugin
 keystoneauth1 python3-keystoneauth1
 keystonemiddleware python3-keystonemiddleware
 keyutils python3-keyutils
 kgb python3-kgb
 khal khal
 khard khard
-kineticsTools python3-kineticstools
+kineticstools python3-kineticstools
 kitchen python3-kitchen
+kivy python3-kivy
 kiwi kiwi
-kiwi_boxed_plugin python3-kiwi-boxed-plugin
+kiwi-boxed-plugin python3-kiwi-boxed-plugin
 kiwisolver python3-kiwisolver
 klaus python3-klaus
+kleborate kleborate
 klein python3-klein
 klepto python3-klepto
+klutshnik python3-klutshnik
 knack python3-knack
 knitpy python3-knitpy
-knock_subdomains knockpy
-knot_exporter knot-exporter
+knock-subdomains knockpy
+knot-exporter knot-exporter
+knot-resolver knot-resolver6
 kombu python3-kombu
-korean_lunar_calendar python3-korean-lunar-calendar
+korean-lunar-calendar python3-korean-lunar-calendar
 krop krop
 kthresher kthresher
 kubernetes python3-kubernetes
-kytos_sphinx_theme python3-kytos-sphinx-theme
-kytos_utils kytos-utils
-l20n python3-l20n
+kyoto-cabinet python3-kyotocabinet
+kytos-utils kytos-utils
 labelme labelme
-lacrosse_view python3-lacrosse-view
+labgrid python3-labgrid
+lacrosse-view python3-lacrosse-view
 lamassemble lamassemble
 lammps python3-lammps
 langdetect python3-langdetect
 langtable python3-langtable
 languagecodes python3-languagecodes
-laniakea_spark laniakea-spark
+laniakea-spark laniakea-spark
+lap python3-lap
 lark python3-lark
-laser_geometry python3-laser-geometry
+laser-geometry python3-laser-geometry
 laspy python3-laspy
 laszip python3-laszip
-latex_rubber rubber
+latex-rubber rubber
 latexcodec python3-latexcodec
 launchpadlib python3-launchpadlib
-laundrify_aio python3-laundrify-aio
-lava_common lava-common
-lava_coordinator lava-coordinator
-lava_dispatcher lava-dispatcher
-lava_dispatcher_host lava-dispatcher-host
-lava_server lava-server
+laundrify-aio python3-laundrify-aio
+lava-common lava-common
+lava-coordinator lava-coordinator
+lava-dispatcher lava-dispatcher
+lava-dispatcher-host lava-dispatcher-host
+lava-server lava-server
 lavacli lavacli
-lazr.config python3-lazr.config
-lazr.delegates python3-lazr.delegates
-lazr.restfulclient python3-lazr.restfulclient
-lazr.uri python3-lazr.uri
+lazr-config python3-lazr.config
+lazr-delegates python3-lazr.delegates
+lazr-restfulclient python3-lazr.restfulclient
+lazr-uri python3-lazr.uri
 lazy python3-lazy
-lazy_loader python3-lazy-loader
-lazy_model python3-lazy-model
-lazy_object_proxy python3-lazy-object-proxy
+lazy-loader python3-lazy-loader
+lazy-model python3-lazy-model
+lazy-object-proxy python3-lazy-object-proxy
 lazyarray python3-lazyarray
 lazygal lazygal
-ld2410_ble python3-ld2410-ble
+ld2410-ble python3-ld2410-ble
 ldap3 python3-ldap3
 ldapdomaindump python3-ldapdomaindump
 ldappool python3-ldappool
-leaone_ble python3-leaone-ble
+leaone-ble python3-leaone-ble
 leather python3-leather
 lecm lecm
-led_ble python3-led-ble
-ledger_autosync ledger-autosync
+led-ble python3-led-ble
+ledger-autosync ledger-autosync
+ledger-bitcoin python3-ledger-bitcoin
+ledgercomm python3-ledgercomm
 ledgerhelpers ledgerhelpers
 lefse lefse
-legacy_cgi python3-legacy-cgi
+legacy-cgi python3-legacy-cgi
 legacycrypt python3-legacycrypt
-legion_linux python3-legion-linux
+legion-linux python3-legion-linux
 legit legit
 leidenalg python3-leidenalg
+lektor lektor
 lensfun python3-lensfun
+lepl python3-lepl
 lerc python3-lerc
 lesana lesana
 lesscpy python3-lesscpy
+levenshtein python3-levenshtein
 lfm lfm
-liac_arff python3-liac-arff
+lia-web python3-lia
+liac-arff python3-liac-arff
 lib1305 python3-lib1305
 lib25519 python3-lib25519
 lib389 python3-lib389
 libais python3-ais
-libarchive_c python3-libarchive-c
+libapparmor python3-libapparmor
+libarchive-c python3-libarchive-c
 libcomps python3-libcomps
 libconcord python3-libconcord
 libconf python3-libconf
 libcst python3-libcst
 libdnf python3-libdnf
-libervia_backend libervia-backend
-libervia_templates libervia-templates
+libervia-backend libervia-backend
+libervia-templates libervia-templates
 libevdev python3-libevdev
 libfdt python3-libfdt
-libhfst_swig python3-hfst
+libhfst-swig python3-hfst
 libkdumpfile python3-libkdumpfile
 libknot python3-libknot
 liblarch python3-liblarch
@@ -3060,8 +2831,10 @@ libnatpmp python3-libnatpmp
 libpulse python3-libpulse
 libpyfoscam python3-foscam
 libpysal python3-libpysal
+libpyvinyl python3-libpyvinyl
 librecaptcha python3-librecaptcha
 librouteros python3-librouteros
+librt python3-librt
 libsass python3-libsass
 libsumo sumo
 libthumbor python3-libthumbor
@@ -3069,29 +2842,32 @@ libtmux python3-libtmux
 libtorrent python3-libtorrent
 libtraci sumo
 libusb1 python3-usb1
-libvirt_python python3-libvirt
+libvirt-python python3-libvirt
+libvmdk-python python3-libvmdk
 libzim python3-libzim
-license_expression python3-license-expression
+license-expression python3-license-expression
 lift lift
-lightdm_gtk_greeter_settings lightdm-gtk-greeter-settings
+lightdm-gtk-greeter-settings lightdm-gtk-greeter-settings
 limits python3-limits
 limnoria limnoria
-line_profiler python3-line-profiler
-linear_garage_door python3-linear-garage-door
+line-profiler python3-line-profiler
+linear-garage-door python3-linear-garage-door
 linetable python3-linetable
-lingua_franca python3-lingua-franca
-linkify_it_py python3-linkify-it
-lint_rules python3-loki-ecmwf-lint-rules
-lintian_brush lintian-brush
-linux_show_player linux-show-player
+lingua-franca python3-lingua-franca
+linkchecker linkchecker
+linkify-it-py python3-linkify-it
+lint-rules python3-loki-ecmwf-lint-rules
+lintian-brush lintian-brush
+linux-show-player linux-show-player
 lios lios
 liquidctl liquidctl
 listparser python3-listparser
 litecli litecli
 litestar python3-litestar
-litestar_htmx python3-litestar-htmx
+litestar-htmx python3-litestar-htmx
 littleutils python3-littleutils
 livereload python3-livereload
+livisi python3-livisi
 llfuse python3-llfuse
 llvmlite python3-llvmlite
 lmdb python3-lmdb
@@ -3100,14 +2876,15 @@ localzone python3-localzone
 locket python3-locket
 lockfile python3-lockfile
 locust python3-locust
-log_symbols python3-log-symbols
+log-symbols python3-log-symbols
 logassert python3-logassert
+logbook python3-logbook
 logfury python3-logfury
 loggerhead loggerhead
-logging_tree python3-logging-tree
-logi_circle python3-logi-circle
-logilab_common python3-logilab-common
-logilab_constraint python3-logilab-constraint
+logging-tree python3-logging-tree
+logi-circle python3-logi-circle
+logilab-common python3-logilab-common
+logilab-constraint python3-logilab-constraint
 loguru python3-loguru
 logutils python3-logutils
 logzero python3-logzero
@@ -3119,133 +2896,148 @@ looseversion python3-looseversion
 louis python3-louis
 lptools lptools
 lqa lqa
-lru_dict python3-lru-dict
+lru-dict python3-lru-dict
 lsprotocol python3-lsprotocol
 ltfatpy python3-ltfatpy
 lti python3-lti
 lttngust python3-lttngust
 lttoolbox python3-lttoolbox
-lua_wrapper python3-lua
-luckyLUKS luckyluks
-ludev_t ludevit
+lua-wrapper python3-lua
+luckyluks luckyluks
+ludev-t ludevit
 luftdaten python3-luftdaten
-luma.core python3-luma.core
-luma.emulator python3-luma.emulator
-luma.lcd python3-luma.lcd
-luma.led_matrix python3-luma.led-matrix
-luma.oled python3-luma.oled
+luma-core python3-luma.core
+luma-emulator python3-luma.emulator
+luma-lcd python3-luma.lcd
+luma-led-matrix python3-luma.led-matrix
+luma-oled python3-luma.oled
 lunardate python3-lunardate
 lunr python3-lunr
 lupa python3-lupa
 lupupy python3-lupupy
 lxml python3-lxml
-lxml_html_clean python3-lxml-html-clean
+lxml-html-clean python3-lxml-html-clean
 lybniz lybniz
 lz4 python3-lz4
 lz4tools python3-lz4tools
 lzstring python3-lzstring
+m2crypto python3-m2crypto
 m3u8 python3-m3u8
 macaroonbakery python3-macaroonbakery
-macaulay2_jupyter_kernel macaulay2-jupyter-kernel
+macaulay2-jupyter-kernel macaulay2-jupyter-kernel
 macholib python3-macholib
-magcode_core python3-magcode-core
+macs3 macs
+macsyfinder macsyfinder
+magcode-core python3-magcode-core
 maggma python3-maggma
-magic_wormhole magic-wormhole
-magic_wormhole_mailbox_server python3-magic-wormhole-mailbox-server
-magic_wormhole_transit_relay magic-wormhole-transit-relay
+magic-wormhole magic-wormhole
+magic-wormhole-mailbox-server python3-magic-wormhole-mailbox-server
+magic-wormhole-transit-relay magic-wormhole-transit-relay
 magicgui python3-magicgui
+magics python3-magics++
 magnum python3-magnum
-magnum_capi_helm python3-magnum-capi-helm
-magnum_cluster_api magnum-cluster-api
-magnum_tempest_plugin magnum-tempest-plugin
-magnum_ui python3-magnum-ui
+magnum-capi-helm python3-magnum-capi-helm
+magnum-cluster-api magnum-cluster-api
+magnum-tempest-plugin magnum-tempest-plugin
+magnum-ui python3-magnum-ui
+magnus magnus
 mailer python3-mailer
 mailman mailman3
-mailman_hyperkitty python3-mailman-hyperkitty
+mailman-hyperkitty python3-mailman-hyperkitty
 mailmanclient python3-mailmanclient
 mailnag mailnag
 maison python3-maison
 makefun python3-makefun
-mallard_ducktype python3-mallard.ducktype
+mako python3-mako
+mallard-ducktype python3-mallard.ducktype
 mando python3-mando
 manifpy python3-manifpy
 manila python3-manila
-manila_tempest_plugin manila-tempest-plugin
-manila_ui python3-manila-ui
-mantis_xray mantis-xray
+manila-tempest-plugin manila-tempest-plugin
+manila-ui python3-manila-ui
+manimpango python3-manimpango
+mantis-xray mantis-xray
 manuel python3-manuel
-mapbox_earcut python3-mapbox-earcut
+mapbox-earcut python3-mapbox-earcut
 mapclassify python3-mapclassify
 mapcss python3-mapcss
 mapdamage mapdamage
-mapnik python3-mapnik
 mappy python3-mappy
 mapscript python3-mapscript
 marathon python3-marathon
 mariadb python3-mariadb-connector
 marisa python3-marisa
+markdown python3-markdown
+markdown-callouts python3-markdown-callouts
+markdown-exec python3-markdown-exec
+markdown-include python3-markdown-include
+markdown-it-py python3-markdown-it
+markdown-rundoc python3-markdown-rundoc
 markdown2 python3-markdown2
-markdown_callouts python3-markdown-callouts
-markdown_exec python3-markdown-exec
-markdown_include python3-markdown-include
-markdown_it_py python3-markdown-it
-markdown_rundoc python3-markdown-rundoc
+markuppy python3-markuppy
+markups python3-markups
+markupsafe python3-markupsafe
 marshmallow python3-marshmallow
-marshmallow_dataclass python3-marshmallow-dataclass
-marshmallow_polyfield python3-marshmallow-polyfield
-marshmallow_sqlalchemy python3-marshmallow-sqlalchemy
+marshmallow-dataclass python3-marshmallow-dataclass
+marshmallow-polyfield python3-marshmallow-polyfield
+marshmallow-sqlalchemy python3-marshmallow-sqlalchemy
 masakari python3-masakari
-masakari_dashboard python3-masakari-dashboard
-masakari_monitors python3-masakari-monitors
+masakari-dashboard python3-masakari-dashboard
+masakari-monitors python3-masakari-monitors
 mashumaro python3-mashumaro
+mastodon-py python3-mastodon
 mat2 mat2
-mate_hud mate-hud
-mate_menu mate-menu
-mate_tweak mate-tweak
+mate-hud mate-hud
+mate-menu mate-menu
+mate-tweak mate-tweak
 matplotlib python3-matplotlib
-matplotlib_inline python3-matplotlib-inline
-matplotlib_venn python3-matplotlib-venn
+matplotlib-inline python3-matplotlib-inline
+matplotlib-venn python3-matplotlib-venn
 matridge python3-matridge
-matrix_common python3-matrix-common
-matrix_nio python3-matrix-nio
-matrix_synapse matrix-synapse
-matrix_synapse_ldap3 matrix-synapse-ldap3
+matrix-common python3-matrix-common
+matrix-nio python3-matrix-nio
+matrix-synapse matrix-synapse
+matrix-synapse-ldap3 matrix-synapse-ldap3
 maturin python3-maturin
 mautrix python3-mautrix
 maxminddb python3-maxminddb
 mayavi mayavi2
 mbddns python3-mbddns
-mbed_host_tests python3-mbed-host-tests
-mbed_ls python3-mbed-ls
+mbed-host-tests python3-mbed-host-tests
+mbed-ls python3-mbed-ls
 mboot python3-mboot
 mbstrdecoder python3-mbstrdecoder
 mccabe python3-mccabe
 mceliece python3-mceliece
 mcomix mcomix
-md_toc python3-md-toc
-mda_xdrlib python3-mda-xdrlib
+mcstasscript python3-mcstasscript
+md-toc python3-md-toc
+mda-xdrlib python3-mda-xdrlib
+mdanalysis python3-mdanalysis
 mdformat mdformat
-mdit_py_plugins python3-mdit-py-plugins
+mdit-py-plugins python3-mdit-py-plugins
+mdp python3-mdp
 mdtraj python3-mdtraj
 mdurl python3-mdurl
 measurement python3-measurement
-meater_python python3-meater-python
-mecab_python python3-mecab
+meater-python python3-meater-python
+mecab-python python3-mecab
+mechanicalsoup python3-mechanicalsoup
 mechanize python3-mechanize
-medcom_ble python3-medcom-ble
+medcom-ble python3-medcom-ble
 mediafile python3-mediafile
-meld3 python3-meld3
 membernator membernator
-memoized_property python3-memoized-property
-memory_allocator python3-memory-allocator
-memory_profiler python3-memory-profiler
+memoized-property python3-memoized-property
+memory-allocator python3-memory-allocator
+memory-profiler python3-memory-profiler
 memprof python3-memprof
 memray python3-memray
 menulibre menulibre
+mercadopago python3-mercadopago
 mercantile python3-mercantile
 mercurial mercurial-common
-mercurial_extension_utils python3-mercurial-extension-utils
-mercurial_keyring mercurial-keyring
+mercurial-extension-utils python3-mercurial-extension-utils
+mercurial-keyring mercurial-keyring
 merge3 python3-merge3
 mergedeep python3-mergedeep
 mergedict python3-mergedict
@@ -3254,43 +3046,50 @@ meshplex python3-meshplex
 meshtastic python3-meshtastic
 meshzoo python3-meshzoo
 meson meson
-meson_python python3-mesonpy
-message_filters python3-message-filters
+meson-python python3-mesonpy
+message-filters python3-message-filters
 metaconfig python3-metaconfig
 metakernel python3-metakernel
 metalfinder metalfinder
+metaphlan metaphlan
 metastudent metastudent
-meteo_qt meteo-qt
+meteo-qt meteo-qt
 meteocalc python3-meteocalc
-meteofrance_api python3-meteofrance-api
-metomi_isodatetime python3-isodatetime
+meteofrance-api python3-meteofrance-api
+metomi-isodatetime python3-isodatetime
+metpy python3-metpy
 metview python3-metview
 mf2py python3-mf2py
-microversion_parse python3-microversion-parse
+microbegps microbegps
+microversion-parse python3-microversion-parse
+midiutil python3-midiutil
 mido python3-mido
 milc python3-milc
 milksnake python3-milksnake
-mill_local python3-mill-local
+mill-local python3-mill-local
 millheater python3-millheater
 miltertest python3-miltertest
 mimerender python3-mimerender
-mini_buildd python3-mini-buildd
-mini_dinstall mini-dinstall
-mini_soong mini-soong
+mini-buildd python3-mini-buildd
+mini-dinstall mini-dinstall
+mini-soong mini-soong
 minidb python3-minidb
 minieigen python3-minieigen
 minigalaxy minigalaxy
 minijinja python3-minijinja
+minimock python3-minimock
 mininet mininet
 miniupnpc python3-miniupnpc
 mintpy python3-mintpy
-mir_eval python3-mir-eval
+mir-eval python3-mir-eval
+mirage mirage
 mirtop python3-mirtop
 mistletoe python3-mistletoe
 mistral python3-mistral
-mistral_dashboard python3-mistral-dashboard
-mistral_lib python3-mistral-lib
-mistral_tempest_tests mistral-tempest-plugin
+mistral-dashboard python3-mistral-dashboard
+mistral-extra mistral-extra
+mistral-lib python3-mistral-lib
+mistral-tempest-tests mistral-tempest-plugin
 mistune python3-mistune
 mistune0 python3-mistune0
 mitmproxy mitmproxy
@@ -3298,71 +3097,93 @@ mitogen python3-mitogen
 mkautodoc python3-mkautodoc
 mkchromecast mkchromecast
 mkdocs mkdocs
-mkdocs_autorefs mkdocs-autorefs
-mkdocs_click mkdocs-click
-mkdocs_gen_files mkdocs-gen-files
-mkdocs_get_deps mkdocs-get-deps
-mkdocs_literate_nav mkdocs-literate-nav
-mkdocs_macros_plugin mkdocs-macros-plugin
-mkdocs_material mkdocs-material
-mkdocs_material_extensions mkdocs-material-extensions
-mkdocs_redirects mkdocs-redirects
-mkdocs_section_index mkdocs-section-index
-mkdocs_static_i18n mkdocs-static-i18n
-mkdocs_test python3-mkdocs-test
+mkdocs-autorefs mkdocs-autorefs
+mkdocs-click mkdocs-click
+mkdocs-gen-files mkdocs-gen-files
+mkdocs-get-deps mkdocs-get-deps
+mkdocs-glightbox mkdocs-glightbox
+mkdocs-include-markdown-plugin mkdocs-include-markdown-plugin
+mkdocs-literate-nav mkdocs-literate-nav
+mkdocs-macros-plugin mkdocs-macros-plugin
+mkdocs-material mkdocs-material
+mkdocs-material-extensions mkdocs-material-extensions
+mkdocs-redirects mkdocs-redirects
+mkdocs-section-index mkdocs-section-index
+mkdocs-static-i18n mkdocs-static-i18n
+mkdocs-test python3-mkdocs-test
 mkdocstrings mkdocstrings
-mkdocstrings_python mkdocstrings-python-handlers
-mkdocstrings_python_legacy mkdocstrings-python-legacy
+mkdocstrings-python mkdocstrings-python-handlers
+mkdocstrings-python-legacy mkdocstrings-python-legacy
 mkosi mkosi
-ml_collections python3-ml-collections
+ml-collections python3-ml-collections
+mlatclient mlat-client-adsbfi
 mlpack python3-mlpack
-mlpy python3-mlpy
-mmcif_pdbx python3-pdbx
-mmtf_python python3-mmtf
+mmcif-pdbx python3-pdbx
+mmllib python3-mmllib
+mmtf-python python3-mmtf
 mne python3-mne
 mnemonic python3-mnemonic
+mnemosyne mnemosyne
 moarchiving python3-moarchiving
-moat_ble python3-moat-ble
+moat-ble python3-moat-ble
 mock python3-mock
-mock_open python3-mock-open
+mock-open python3-mock-open
 mockito python3-mockito
 mockldap python3-mockldap
 mockupdb python3-mockupdb
-mod_python libapache2-mod-python
-model_bakery python3-model-bakery
-modem_cmd modem-cmd
+mod-python libapache2-mod-python
+model-bakery python3-model-bakery
+modelcif python3-modelcif
+modem-cmd modem-cmd
 moderngl python3-moderngl
-moderngl_window python3-moderngl-window
-modernize python3-libmodernize
-moehlenhoff_alpha2 python3-moehlenhoff-alpha2
+moderngl-window python3-moderngl-window
+moehlenhoff-alpha2 python3-moehlenhoff-alpha2
 mofapy python3-mofapy
 molotov python3-molotov
 momepy python3-momepy
 monajat python3-monajat
-monasca_statsd python3-monasca-statsd
+monasca-statsd python3-monasca-statsd
 mongoengine python3-mongoengine
 mongomock python3-mongomock
 monotonic python3-monotonic
+montagepy python3-montagepy
 monty python3-monty
 monzopy python3-monzopy
-mopeka_iot_ble python3-mopeka-iot-ble
-more_itertools python3-more-itertools
+mopeka-iot-ble python3-mopeka-iot-ble
+mopidy mopidy
+mopidy-alsamixer mopidy-alsamixer
+mopidy-beets mopidy-beets
+mopidy-dleyna mopidy-dleyna
+mopidy-internetarchive mopidy-internetarchive
+mopidy-local mopidy-local
+mopidy-mpd mopidy-mpd
+mopidy-mpris mopidy-mpris
+mopidy-podcast mopidy-podcast
+mopidy-podcast-itunes mopidy-podcast-itunes
+mopidy-scrobbler mopidy-scrobbler
+mopidy-somafm mopidy-somafm
+mopidy-soundcloud mopidy-soundcloud
+mopidy-tunein mopidy-tunein
+more-itertools python3-more-itertools
 moreorless python3-moreorless
+morfessor python3-morfessor
 morph python3-morph
 morris python3-morris
 moto python3-moto
 motor python3-motor
+mouseinfo python3-mouseinfo
 mousetrap gnome-mousetrap
 moviepy python3-moviepy
-mp_api python3-mp-api
+mp-api python3-mp-api
+mpd-sima mpd-sima
 mpegdash python3-mpegdash
 mpi4py python3-mpi4py
-mpi4py_fft python3-mpi4py-fft
+mpi4py-fft python3-mpi4py-fft
 mpiplus python3-mpiplus
 mpire python3-mpire
-mpl_animators python3-mpl-animators
-mpl_scatter_density python3-mpl-scatter-density
-mpl_sphinx_theme python3-mpl-sphinx-theme
+mpl-animators python3-mpl-animators
+mpl-scatter-density python3-mpl-scatter-density
+mpl-sphinx-theme python3-mpl-sphinx-theme
 mplcursors python3-mplcursors
 mplexporter python3-mplexporter
 mpmath python3-mpmath
@@ -3372,24 +3193,25 @@ mrcfile python3-mrcfile
 mrcz python3-mrcz
 mrpt python3-pymrpt
 mrtparse python3-mrtparse
-ms_cv python3-ms-cv
+ms-cv python3-ms-cv
 msal python3-msal
-msal_extensions python3-msal-extensions
+msal-extensions python3-msal-extensions
 msgpack python3-msgpack
-msgpack_numpy python3-msgpack-numpy
+msgpack-numpy python3-msgpack-numpy
 msgspec python3-msgspec
-msmb_theme python3-msmb-theme
-msoffcrypto_tool python3-msoffcrypto-tool
+msmb-theme python3-msmb-theme
+msoffcrypto-tool python3-msoffcrypto-tool
 msrest python3-msrest
 msrestazure python3-msrestazure
-mssql_django python3-mssql-django
+mssql-django python3-mssql-django
+mt-940 python3-mt-940
 mt940 python3-mt940
-mt_940 python3-mt-940
 mugshot mugshot
 mujson python3-mujson
-mullvad_api python3-mullvad-api
-multi_key_dict python3-multi-key-dict
+mullvad-api python3-mullvad-api
+multi-key-dict python3-multi-key-dict
 multidict python3-multidict
+multimethod python3-multimethod
 multipart python3-multipart
 multipledispatch python3-multipledispatch
 multipletau python3-multipletau
@@ -3404,6 +3226,7 @@ murmurhash python3-murmurhash
 music python3-music
 musicbrainzngs python3-musicbrainzngs
 mutagen python3-mutagen
+mutatormath python3-mutatormath
 mutesync python3-mutesync
 mutf8 python3-mutf8
 mwclient python3-mwclient
@@ -3413,13 +3236,13 @@ mycli mycli
 mygpoclient python3-mygpoclient
 mypermobil python3-mypermobil
 mypy python3-mypy
-mypy_extensions python3-mypy-extensions
-mypy_protobuf mypy-protobuf
-mysql_connector_python python3-mysql.connector
+mypy-extensions python3-mypy-extensions
+mypy-protobuf mypy-protobuf
+mysql-connector-python python3-mysql.connector
 mysqlclient python3-mysqldb
-mysqlx_connector_python python3-mysql.connector
-myst_nb python3-myst-nb
-myst_parser python3-myst-parser
+mysqlx-connector-python python3-mysql.connector
+myst-nb python3-myst-nb
+myst-parser python3-myst-parser
 mystic python3-mystic
 myuplink python3-myuplink
 nabu python3-nabu
@@ -3428,13 +3251,18 @@ nagstamon nagstamon
 nala nala
 nameparser python3-nameparser
 nanobind python3-nanobind
+nanofilt nanofilt
 nanoget python3-nanoget
+nanolyse nanolyse
 nanomath python3-nanomath
+nanostat python3-nanostat
+nanosv nanosv
+nanovnasaver nanovna-saver
 napari python3-napari
-napari_console python3-napari-console
-napari_plugin_engine python3-napari-plugin-engine
-napari_plugin_manager python3-napari-plugin-manager
-napari_svg python3-napari-svg
+napari-console python3-napari-console
+napari-plugin-engine python3-napari-plugin-engine
+napari-plugin-manager python3-napari-plugin-manager
+napari-svg python3-napari-svg
 natkit python3-libtrace
 natsort python3-natsort
 navarp python3-navarp
@@ -3445,54 +3273,60 @@ nbconvert python3-nbconvert
 nbformat python3-nbformat
 nbgitpuller python3-nbgitpuller
 nbsphinx python3-nbsphinx
-nbsphinx_link python3-nbsphinx-link
+nbsphinx-link python3-nbsphinx-link
 nbstripout python3-nbstripout
 nbxmpp python3-nbxmpp
-nc_py_api python3-nextcloud-api
-ncbi_acc_download ncbi-acc-download
+nc-py-api python3-nextcloud-api
+ncbi-acc-download ncbi-acc-download
 ncclient python3-ncclient
 ncls python3-ncls
 ndcube python3-ndcube
-ndg_httpsclient python3-ndg-httpsclient
+ndg-httpsclient python3-ndg-httpsclient
 ndiff ndiff
-ndms2_client python3-ndms2-client
-nemo_compare nemo-compare
+ndms2-client python3-ndms2-client
+nemo-compare nemo-compare
 neo python3-neo
-nest_asyncio python3-nest-asyncio
-netCDF4 python3-netcdf4
+nest-asyncio python3-nest-asyncio
 netaddr python3-netaddr
+netcdf4 python3-netcdf4
 netdisco python3-netdisco
 netfilter python3-netfilter
-netgen_mesher python3-netgen
+netfilterqueue python3-netfilterqueue
+netgen-mesher python3-netgen
 netifaces python3-netifaces
 netmiko python3-netmiko
 netsnmpagent python3-netsnmpagent
-network_runner python3-network-runner
-network_wrapper python3-network
-networking_bagpipe python3-networking-bagpipe
-networking_baremetal python3-ironic-neutron-agent
-networking_bgpvpn python3-networking-bgpvpn
-networking_generic_switch python3-networking-generic-switch
-networking_l2gw python3-networking-l2gw
-networking_sfc python3-networking-sfc
+network-runner python3-network-runner
+network-wrapper python3-network
+networking-bagpipe python3-networking-bagpipe
+networking-baremetal python3-ironic-neutron-agent
+networking-bgpvpn python3-networking-bgpvpn
+networking-generic-switch python3-networking-generic-switch
+networking-l2gw python3-networking-l2gw
+networking-sfc python3-networking-sfc
 networkx python3-networkx
 neutron python3-neutron
-neutron_dynamic_routing python3-neutron-dynamic-routing
-neutron_ha_tool neutron-ha-tool
-neutron_lib python3-neutron-lib
-neutron_tempest_plugin neutron-tempest-plugin
-neutron_vpnaas python3-neutron-vpnaas
-neutron_vpnaas_dashboard python3-neutron-vpnaas-dashboard
+neutron-dynamic-routing python3-neutron-dynamic-routing
+neutron-ha-tool neutron-ha-tool
+neutron-ipv6-bgp-injector neutron-ipv6-bgp-injector
+neutron-lib python3-neutron-lib
+neutron-tempest-plugin neutron-tempest-plugin
+neutron-vpnaas python3-neutron-vpnaas
+neutron-vpnaas-dashboard python3-neutron-vpnaas-dashboard
+nexpy python3-nexpy
 nextdns python3-nextdns
-nextstrain_augur augur
+nextstrain-augur augur
+nexus python3-nxs
 nexusformat python3-nexusformat
 nfsometer nfsometer
+nfstest nfstest
 nftables python3-nftables
 ngs python3-ngs
 ngspetsc python3-ngspetsc
 nh3 python3-nh3
 nibabel python3-nibabel
-nicotine_plus nicotine
+nice-go python3-nice-go
+nicotine-plus nicotine
 nipy python3-nipy
 nipype python3-nipype
 nitime python3-nitime
@@ -3502,32 +3336,33 @@ nml nml
 nodeenv nodeenv
 noise python3-noise
 noiseprotocol python3-noiseprotocol
-nordugrid_arc_nagios_plugins nordugrid-arc-nagios-plugins
+nordugrid-arc-nagios-plugins nordugrid-arc-nagios-plugins
 normality python3-normality
 nose2 python3-nose2
 noseofyeti python3-noseofyeti
 notcurses python3-notcurses
 notebook python3-notebook
-notebook_shim python3-notebook-shim
-notifications_android_tv python3-notifications-android-tv
+notebook-shim python3-notebook-shim
+notifications-android-tv python3-notifications-android-tv
 notify2 python3-notify2
+notifymuch notifymuch
 notmuch2 python3-notmuch2
 notofonttools python3-nototools
-notus_scanner notus-scanner
+notus-scanner notus-scanner
 nova python3-nova
 nox python3-nox
 npe2 python3-npe2
 npm2deb npm2deb
 npx python3-npx
-nrpe_ng nrpe-ng
+nrpe-ng nrpe-ng
 nsscache nsscache
-nsw_fuel_api_client python3-nsw-fuel-api-client
-ntc_templates python3-ntc-templates
-ntlm_auth python3-ntlm-auth
+nsw-fuel-api-client python3-nsw-fuel-api-client
+ntc-templates python3-ntc-templates
+ntlm-auth python3-ntlm-auth
 ntp python3-ntp
 ntplib python3-ntplib
 ntruprime python3-ntruprime
-nubia_cli python3-nubia
+nubia-cli python3-nubia
 nudatus python3-nudatus
 nuheat python3-nuheat
 num2words python3-num2words
@@ -3535,214 +3370,243 @@ numba python3-numba
 numcodecs python3-numcodecs
 numexpr python3-numexpr
 numpy python3-numpy
-numpy_groupies python3-numpy-groupies
-numpy_stl python3-stl
+numpy-groupies python3-numpy-groupies
+numpy-stl python3-stl
 numpydoc python3-numpydoc
 numpysane python3-numpysane
-nvchecker nvchecker
+nvchecker python3-nvchecker
 nwdiag python3-nwdiag
-nwg_clipman nwg-clipman
-nwg_displays nwg-displays
-nwg_hello nwg-hello
+nwg-clipman nwg-clipman
+nwg-displays nwg-displays
+nwg-hello nwg-hello
 nxmx python3-nxmx
-nxt_python python3-nxt
+nxt-python python3-nxt
 nxtomo python3-nxtomo
 nxtomomill python3-nxtomomill
+nyt-games python3-nyt-games
 nyx nyx
-oauth2client python3-oauth2client
 oauth2token python3-oauth2token
 oauthlib python3-oauthlib
+obitools3 obitools
 objgraph python3-objgraph
 obsub python3-obsub
 ocrmypdf ocrmypdf
 ocspbuilder python3-ocspbuilder
-octave_kernel python3-octave-kernel
+octave-kernel python3-octave-kernel
 octavia python3-octavia
-octavia_dashboard python3-octavia-dashboard
-octavia_lib python3-octavia-lib
-octavia_tempest_plugin octavia-tempest-plugin
+octavia-dashboard python3-octavia-dashboard
+octavia-lib python3-octavia-lib
+octavia-tempest-plugin octavia-tempest-plugin
 odfpy python3-odf
 odmantic python3-odmantic
 odoo odoo-18
-odp_amsterdam python3-odp-amsterdam
+odoorpc python3-odoorpc
+odp-amsterdam python3-odp-amsterdam
 offpunk offpunk
 offtrac python3-offtrac
 ofxclient python3-ofxclient
 ofxhome python3-ofxhome
 ofxparse python3-ofxparse
 ofxstatement ofxstatement
-ofxstatement_airbankcz ofxstatement-plugins
-ofxstatement_al_bank ofxstatement-plugins
-ofxstatement_austrian ofxstatement-plugins
-ofxstatement_be_argenta ofxstatement-plugins
-ofxstatement_be_ing ofxstatement-plugins
-ofxstatement_be_kbc ofxstatement-plugins
-ofxstatement_be_keytrade ofxstatement-plugins
-ofxstatement_be_triodos ofxstatement-plugins
-ofxstatement_betterment ofxstatement-plugins
-ofxstatement_bubbas ofxstatement-plugins
-ofxstatement_consors ofxstatement-plugins
-ofxstatement_czech ofxstatement-plugins
-ofxstatement_dab ofxstatement-plugins
-ofxstatement_de_ing ofxstatement-plugins
-ofxstatement_de_triodos ofxstatement-plugins
-ofxstatement_fineco ofxstatement-plugins
-ofxstatement_germany_1822direkt ofxstatement-plugins
-ofxstatement_germany_postbank ofxstatement-plugins
-ofxstatement_intesasp ofxstatement-plugins
-ofxstatement_is_arionbanki ofxstatement-plugins
-ofxstatement_iso20022 ofxstatement-plugins
-ofxstatement_lansforsakringar ofxstatement-plugins
-ofxstatement_latvian ofxstatement-plugins
-ofxstatement_lfs ofxstatement-plugins
-ofxstatement_lithuanian ofxstatement-plugins
-ofxstatement_mbank.sk ofxstatement-plugins
-ofxstatement_otp ofxstatement-plugins
-ofxstatement_polish ofxstatement-plugins
-ofxstatement_postfinance ofxstatement-plugins
-ofxstatement_raiffeisencz ofxstatement-plugins
-ofxstatement_russian ofxstatement-plugins
-ofxstatement_seb ofxstatement-plugins
-ofxstatement_simple ofxstatement-plugins
-ofxstatement_unicreditcz ofxstatement-plugins
+ofxstatement-airbankcz ofxstatement-plugins
+ofxstatement-al-bank ofxstatement-plugins
+ofxstatement-austrian ofxstatement-plugins
+ofxstatement-be-argenta ofxstatement-plugins
+ofxstatement-be-ing ofxstatement-plugins
+ofxstatement-be-kbc ofxstatement-plugins
+ofxstatement-be-keytrade ofxstatement-plugins
+ofxstatement-be-triodos ofxstatement-plugins
+ofxstatement-betterment ofxstatement-plugins
+ofxstatement-bubbas ofxstatement-plugins
+ofxstatement-consors ofxstatement-plugins
+ofxstatement-czech ofxstatement-plugins
+ofxstatement-dab ofxstatement-plugins
+ofxstatement-de-ing ofxstatement-plugins
+ofxstatement-de-triodos ofxstatement-plugins
+ofxstatement-fineco ofxstatement-plugins
+ofxstatement-germany-1822direkt ofxstatement-plugins
+ofxstatement-germany-postbank ofxstatement-plugins
+ofxstatement-intesasp ofxstatement-plugins
+ofxstatement-is-arionbanki ofxstatement-plugins
+ofxstatement-iso20022 ofxstatement-plugins
+ofxstatement-lansforsakringar ofxstatement-plugins
+ofxstatement-latvian ofxstatement-plugins
+ofxstatement-lfs ofxstatement-plugins
+ofxstatement-lithuanian ofxstatement-plugins
+ofxstatement-mbank-sk ofxstatement-plugins
+ofxstatement-otp ofxstatement-plugins
+ofxstatement-polish ofxstatement-plugins
+ofxstatement-postfinance ofxstatement-plugins
+ofxstatement-raiffeisencz ofxstatement-plugins
+ofxstatement-russian ofxstatement-plugins
+ofxstatement-seb ofxstatement-plugins
+ofxstatement-simple ofxstatement-plugins
+ofxstatement-unicreditcz ofxstatement-plugins
+oldmemo python3-oldmemo
 olefile python3-olefile
 ollama python3-ollama
 omegaconf python3-omegaconf
-omemo_dr python3-omemo-dr
+omemo python3-omemo
+omemo-dr python3-omemo-dr
 omgifol python3-omg
 onboard onboard
 ondilo python3-ondilo
 onetimepass python3-onetimepass
 onewire python3-onewire
+onionbalance onionbalance
 onioncircuits onioncircuits
 onionprobe onionprobe
 onionshare onionshare
-onionshare_cli onionshare-cli
+onionshare-cli onionshare-cli
 onnx python3-onnx
 onnxruntime python3-onnxruntime
-ont_fast5_api ont-fast5-api
-ont_tombo tombo
+ont-fast5-api ont-fast5-api
+ont-tombo tombo
 ontospy python3-ontospy
 opaque python3-opaque
 opaquestore opaque-store
 opcodes python3-opcodes
 opem python3-opem
-open3d_cpu python3-open3d
-openMotor openmotor
-openTSNE python3-opentsne
-open_garage python3-open-garage
-open_meteo python3-open-meteo
+open-garage python3-open-garage
+open-meteo python3-open-meteo
+open3d-cpu python3-open3d
 openai python3-openai
-openapi_core python3-openapi-core
-openapi_schema_validator python3-openapi-schema-validator
-openapi_spec_validator python3-openapi-spec-validator
+openapi-core python3-openapi-core
+openapi-pydantic python3-openapi-pydantic
+openapi-schema-validator python3-openapi-schema-validator
+openapi-spec-validator python3-openapi-spec-validator
+opencc python3-opencc
 opencv python3-opencv
 opendht python3-opendht
 opendrop opendrop
-openerz_api python3-openerz-api
-openidc_client python3-python-openidc-client
+openerz-api python3-openerz-api
+openidc-client python3-python-openidc-client
 openleadr python3-openleadr-python
-openpaperwork_core openpaperwork-core
-openpaperwork_gtk openpaperwork-gtk
+openlp openlp
+openmm python3-openmm
+openmotor openmotor
+openpaperwork-core openpaperwork-core
+openpaperwork-gtk openpaperwork-gtk
 openpyxl python3-openpyxl
-openqa_client python3-openqa-client
+openqa-client python3-openqa-client
 openshift python3-openshift
-openshot_qt openshot-qt
-openslide_python python3-openslide
-opensnitch_ui python3-opensnitch-ui
-openstack_cyborg python3-cyborg
-openstack_heat python3-heat
-openstack_placement python3-placement
+openshot-qt openshot-qt
+openslide-python python3-openslide
+opensnitch-ui python3-opensnitch-ui
+openstack-cyborg python3-cyborg
+openstack-heat python3-heat
+openstack-placement python3-placement
 openstackdocstheme python3-openstackdocstheme
 openstacksdk python3-openstacksdk
-openstep_plist python3-openstep-plist
+openstep-plist python3-openstep-plist
+opentelemetry-api python3-opentelemetry-api
+opentelemetry-exporter-otlp-proto-common python3-opentelemetry-exporter-otlp-proto-common
+opentelemetry-exporter-otlp-proto-grpc python3-opentelemetry-exporter-otlp-proto-grpc
+opentelemetry-exporter-otlp-proto-http python3-opentelemetry-exporter-otlp-proto-http
+opentelemetry-exporter-prometheus python3-opentelemetry-exporter-prometheus
+opentelemetry-exporter-zipkin-json python3-opentelemetry-exporter-zipkin-json
+opentelemetry-exporter-zipkin-proto-http python3-opentelemetry-exporter-zipkin-proto-http
+opentelemetry-opentracing-shim python3-opentelemetry-opentracing-shim
+opentelemetry-propagator-b3 python3-opentelemetry-propagator-b3
+opentelemetry-propagator-jaeger python3-opentelemetry-propagator-jaeger
+opentelemetry-proto python3-opentelemetry-proto
+opentelemetry-sdk python3-opentelemetry-sdk
+opentelemetry-semantic-conventions python3-opentelemetry-semantic-conventions
 opentimestamps python3-opentimestamps
 opentracing python3-opentracing
+opentsne python3-opentsne
 openturns python3-openturns
-opentype_sanitizer python3-ots
+opentype-feature-freezer python3-opentype-feature-freezer
+opentype-sanitizer python3-ots
 openwebifpy python3-openwebifpy
 opgpcard opgpcard
-opt_einsum python3-opt-einsum
+opt-einsum python3-opt-einsum
+opt-einsum-fx python3-opt-einsum-fx
+optimir optimir
 optlang python3-optlang
 optuna python3-optuna
 opuslib python3-opuslib
 oracledb python3-oracledb
-oralb_ble python3-oralb-ble
-orange_canvas_core python3-orange-canvas-core
-orange_widget_base python3-orange-widget-base
-orbit_predictor python3-orbit-predictor
-ordered_set python3-ordered-set
+oralb-ble python3-oralb-ble
+orange-canvas-core python3-orange-canvas-core
+orange-spectroscopy python3-orange-spectroscopy
+orange-widget-base python3-orange-widget-base
+orange3 python3-orange3
+orbit-predictor python3-orbit-predictor
+ordered-set python3-ordered-set
 orderedattrdict python3-orderedattrdict
 orderedmultidict python3-orderedmultidict
-orderly_set python3-orderly-set
-organize_tool organize
+orderly-set python3-orderly-set
+organize-tool organize
 orjson python3-orjson
 ormar python3-ormar
 orsopy python3-orsopy
-os_api_ref python3-os-api-ref
-os_apply_config python3-os-apply-config
-os_brick python3-os-brick
-os_client_config python3-os-client-config
-os_collect_config python3-os-collect-config
-os_faults python3-os-faults
-os_ken python3-os-ken
-os_refresh_config python3-os-refresh-config
-os_resource_classes python3-os-resource-classes
-os_service_types python3-os-service-types
-os_testr python3-os-testr
-os_traits python3-os-traits
-os_vif python3-os-vif
-os_win python3-os-win
+os-api-ref python3-os-api-ref
+os-apply-config python3-os-apply-config
+os-brick python3-os-brick
+os-client-config python3-os-client-config
+os-collect-config python3-os-collect-config
+os-faults python3-os-faults
+os-ken python3-os-ken
+os-refresh-config python3-os-refresh-config
+os-resource-classes python3-os-resource-classes
+os-service-types python3-os-service-types
+os-testr python3-os-testr
+os-traits python3-os-traits
+os-vif python3-os-vif
+os-win python3-os-win
 osc osc
-osc_lib python3-osc-lib
-osc_placement python3-osc-placement
-osc_plugin_dput osc-plugin-dput
+osc-lib python3-osc-lib
+osc-placement python3-osc-placement
+osc-plugin-dput osc-plugin-dput
 oscrypto python3-oscrypto
-oslo.cache python3-oslo.cache
-oslo.concurrency python3-oslo.concurrency
-oslo.config python3-oslo.config
-oslo.context python3-oslo.context
-oslo.db python3-oslo.db
-oslo.i18n python3-oslo.i18n
-oslo.limit python3-oslo.limit
-oslo.log python3-oslo.log
-oslo.messaging python3-oslo.messaging
-oslo.metrics python3-oslo.metrics
-oslo.middleware python3-oslo.middleware
-oslo.policy python3-oslo.policy
-oslo.privsep python3-oslo.privsep
-oslo.reports python3-oslo.reports
-oslo.rootwrap python3-oslo.rootwrap
-oslo.serialization python3-oslo.serialization
-oslo.service python3-oslo.service
-oslo.upgradecheck python3-oslo.upgradecheck
-oslo.utils python3-oslo.utils
-oslo.versionedobjects python3-oslo.versionedobjects
-oslo.vmware python3-oslo.vmware
+oslo-cache python3-oslo.cache
+oslo-concurrency python3-oslo.concurrency
+oslo-config python3-oslo.config
+oslo-context python3-oslo.context
+oslo-db python3-oslo.db
+oslo-i18n python3-oslo.i18n
+oslo-limit python3-oslo.limit
+oslo-log python3-oslo.log
+oslo-messaging python3-oslo.messaging
+oslo-metrics python3-oslo.metrics
+oslo-middleware python3-oslo.middleware
+oslo-policy python3-oslo.policy
+oslo-privsep python3-oslo.privsep
+oslo-reports python3-oslo.reports
+oslo-rootwrap python3-oslo.rootwrap
+oslo-serialization python3-oslo.serialization
+oslo-service python3-oslo.service
+oslo-upgradecheck python3-oslo.upgradecheck
+oslo-utils python3-oslo.utils
+oslo-versionedobjects python3-oslo.versionedobjects
+oslo-vmware python3-oslo.vmware
 oslosphinx python3-oslosphinx
 oslotest python3-oslotest
 osmapi python3-osmapi
 osmium python3-pyosmium
 osmnx python3-osmnx
-ospd_openvas ospd-openvas
+ospd-openvas ospd-openvas
 osprofiler python3-osprofiler
-osrf_pycommon python3-osrf-pycommon
-ostree_push ostree-push
+osrf-pycommon python3-osrf-pycommon
+ostree-push ostree-push
 ourgroceries python3-ourgroceries
 outcome python3-outcome
 overpass python3-overpass
 overpy python3-overpy
 overrides python3-overrides
-ovn_bgp_agent python3-ovn-bgp-agent
-ovn_octavia_provider python3-ovn-octavia-provider
+ovn-bgp-agent python3-ovn-bgp-agent
+ovn-octavia-provider python3-ovn-octavia-provider
 ovoenergy python3-ovoenergy
 ovs python3-openvswitch
 ovsdbapp python3-ovsdbapp
+owlrl python3-owlrl
+owslib python3-owslib
 oz oz
 p1monitor python3-p1monitor
-pa_dlna pa-dlna
-package_smoke_test python3-package-smoke-test
-packageurl_python python3-packageurl
+pa-dlna pa-dlna
+package-smoke-test python3-package-smoke-test
+packageurl-python python3-packageurl
 packaging python3-packaging
 packbits python3-packbits
 pacparser python3-pacparser
@@ -3751,121 +3615,137 @@ pagekite pagekite
 pager python3-pager
 paginate python3-paginate
 pagure pagure
-paho_mqtt python3-paho-mqtt
+paho-mqtt python3-paho-mqtt
 pairtools python3-pairtools
 pako python3-pako
 paleomix paleomix
 palettable python3-palettable
-pallets_sphinx_themes python3-pallets-sphinx-themes
+pallets-sphinx-themes python3-pallets-sphinx-themes
+pam python3-pam
 pamela python3-pamela
 pamqp python3-pamqp
 pandas python3-pandas
-pandas_flavor python3-pandas-flavor
-pandoc_include python3-pandoc-include
-pandoc_plantuml_filter pandoc-plantuml-filter
+pandas-flavor python3-pandas-flavor
+pandoc-include python3-pandoc-include
+pandoc-plantuml-filter pandoc-plantuml-filter
 pandocfilters python3-pandocfilters
 panflute python3-panflute
-pangoLEARN python3-pangolearn
+pangolearn python3-pangolearn
 panoramisk python3-panoramisk
 pantomime python3-pantomime
 panwid python3-panwid
 papermill python3-papermill
 paperwork paperwork-gtk
-paperwork_backend paperwork-backend
-paperwork_shell paperwork-shell
+paperwork-backend paperwork-backend
+paperwork-shell paperwork-shell
 parallax python3-parallax
-parallel_fastq_dump parallel-fastq-dump
+parallel-fastq-dump parallel-fastq-dump
 param python3-param
 parameterized python3-parameterized
 paramiko python3-paramiko
 paramspider paramspider
 parasail python3-parasail
 parfive python3-parfive
+parmed python3-parmed
 parse python3-parse
-parse_stages python3-parse-stages
-parse_type python3-parse-type
+parse-stages python3-parse-stages
+parse-type python3-parse-type
 parsedatetime python3-parsedatetime
 parsel python3-parsel
 parsero parsero
 parsimonious python3-parsimonious
 parsl python3-parsl
+parsley python3-parsley
 parso python3-parso
 partd python3-partd
-pass_audit pass-extension-audit
-pass_git_helper pass-git-helper
+partial-json-parser python3-partial-json-parser
+pass-audit pass-extension-audit
+pass-git-helper pass-git-helper
 passlib python3-passlib
+paste python3-paste
+pastedeploy python3-pastedeploy
 pastel python3-pastel
+pastescript python3-pastescript
 patator patator
 patatt python3-patatt
-patch_ng python3-patch-ng
+patch-ng python3-patch-ng
 path python3-path
-path_and_address python3-path-and-address
+path-and-address python3-path-and-address
 pathable python3-pathable
 pathos python3-pathos
 pathspec python3-pathspec
-pathtools python3-pathtools
 pathvalidate python3-pathvalidate
 patiencediff python3-patiencediff
 patool patool
 patroni patroni
 patsy python3-patsy
+pattern python3-pattern
 pauvre python3-pauvre
 paypal python3-paypal
 pbcommand python3-pbcommand
 pbcore python3-pbcore
 pbkdf2 python3-pbkdf2
 pbr python3-pbr
-pbs_installer python3-pbs-installer
+pbs-installer python3-pbs-installer
 pcapy python3-pcapy
 pcbasic python3-pcbasic
 pcp python3-pcp
 pcpp python3-pcpp
 pcre2 python3-pcre2
 pcs pcs
+pdb-tools python3-pdbtools
 pdb2pqr python3-pdb2pqr
-pdb_tools python3-pdbtools
 pdbfixer python3-pdbfixer
 pdd pdd
+pdf2docx python3-pdf2docx
 pdfarranger pdfarranger
-pdfminer.six python3-pdfminer
+pdfminer-six python3-pdfminer
+pdfposter pdfposter
 pdm python3-pdm
-pdm_backend python3-pdm-backend
+pdm-backend python3-pdm-backend
 pdoc python3-pdoc
 pdudaemon pdudaemon
+peachpy python3-peachpy
+peakutils python3-peakutils
+pebble python3-pebble
+peblar python3-peblar
 pecan python3-pecan
 peco python3-peco
 peewee python3-peewee
 pefile python3-pefile
+pegen python3-pegen
 pelican pelican
 pem python3-pem
 pendulum python3-pendulum
-pep8_naming python3-pep8-naming
-percol percol
+pep8-naming python3-pep8-naming
+peptidebuilder python3-peptidebuilder
 perf linux-perf
 periodictable python3-periodictable
-persepolis_lib python3-persepolis-lib
-persist_queue python3-persist-queue
+persepolis-lib python3-persepolis-lib
+persist-queue python3-persist-queue
 persistent python3-persistent
-persisting_theory python3-persisting-theory
+persisting-theory python3-persisting-theory
 petl python3-petl
 pex python3-pex
 pexpect python3-pexpect
 pfzy python3-pfzy
+pg-activity pg-activity
 pg8000 python3-pg8000
-pg_activity pg-activity
 pgbouncer python3-pgbouncer
 pgcli pgcli
 pglast python3-pglast
 pglistener pglistener
 pgmagick python3-pgmagick
 pgpdump python3-pgpdump
+pgpy python3-pgpy
 pgq python3-pgq
 pgspecial python3-pgspecial
 pgxnclient pgxnclient
 pgzero python3-pgzero
 phabricator python3-phabricator
 phat python3-phat
-phone_modem python3-phone-modem
+phcpy python3-phcpy
+phone-modem python3-phone-modem
 phonenumbers python3-phonenumbers
 phonopy python3-phonopy
 photocollage photocollage
@@ -3873,8 +3753,8 @@ photofilmstrip photofilmstrip
 photutils python3-photutils
 phply python3-phply
 phpserialize python3-phpserialize
-phx_class_registry python3-phx-class-registry
-phylo_treetime python3-treetime
+phx-class-registry python3-phx-class-registry
+phylo-treetime python3-treetime
 pickleshare python3-pickleshare
 picobox python3-picobox
 picologging python3-picologging
@@ -3887,36 +3767,42 @@ pil python3-pil
 pilkit python3-pilkit
 pillow python3-pil
 ping3 python3-ping3
-pint_xarray python3-pint-xarray
+pint python3-pint
+pint-xarray python3-pint-xarray
 pip python3-pip
-pip_check_reqs pip-check-reqs
+pip-check-reqs pip-check-reqs
 pipdeptree python3-pipdeptree
 pipenv pipenv
 pipsi pipsi
 pipx pipx
 pius pius
-pkb_client pkb-client
+pivy python3-pivy
+pixelmatch python3-pixelmatch
+pkb-client pkb-client
 pkce python3-pkce
 pkgconfig python3-pkgconfig
 pkginfo python3-pkginfo
 plac python3-plac
 plakativ python3-plakativ
-planetary_system_stacker planetary-system-stacker
+planetary-system-stacker planetary-system-stacker
 planetfilter planetfilter
-plasTeX python3-plastex
 plaso python3-plaso
 plaster python3-plaster
-plaster_pastedeploy python3-plaster-pastedeploy
+plaster-pastedeploy python3-plaster-pastedeploy
+plastex python3-plastex
 platformdirs python3-platformdirs
 playsound3 python3-playsound3
+playwright python3-playwright
 pldns python3-libtrace
+plexauth python3-plexauth
 plexwebsocket python3-plexwebsocket
 plinth freedombox
 plip plip
 plotly python3-plotly
+plotpy python3-plotpy
 plover plover
-plover_stroke python3-plover-stroke
-plprofiler_client plprofiler
+plover-stroke python3-plover-stroke
+plprofiler-client plprofiler
 plt python3-libtrace
 pluggy python3-pluggy
 pluginbase python3-pluginbase
@@ -3927,20 +3813,21 @@ plyara python3-plyara
 plyer python3-plyer
 plyvel python3-plyvel
 pmbootstrap pmbootstrap
+pmw python3-pmw
 pocketsphinx python3-pocketsphinx
 pocsuite3 pocsuite3
 podcastparser python3-podcastparser
 podman python3-podman
-podman_compose podman-compose
+podman-compose podman-compose
 poetry python3-poetry
-poetry_core python3-poetry-core
-poetry_dynamic_versioning python3-poetry-dynamic-versioning
-poetry_plugin_export python3-poetry-plugin-export
+poetry-core python3-poetry-core
+poetry-dynamic-versioning python3-poetry-dynamic-versioning
+poetry-plugin-export python3-poetry-plugin-export
 poezio poezio
 pointpats python3-pointpats
 pokrok python3-pokrok
 polib python3-polib
-policyd_rate_limit policyd-rate-limit
+policyd-rate-limit policyd-rate-limit
 polyfactory python3-polyfactory
 polyline python3-polyline
 pomegranate python3-pomegranate
@@ -3950,37 +3837,39 @@ pooch python3-pooch
 pook python3-pook
 porechop porechop
 poretools poretools
-port_for python3-port-for
+port-for python3-port-for
 portalocker python3-portalocker
 portend python3-portend
 portio python3-portio
 portpicker python3-portpicker
-postfix_mta_sts_resolver postfix-mta-sts-resolver
+postfix-mta-sts-resolver postfix-mta-sts-resolver
 postgresfixture python3-postgresfixture
 postorius python3-django-postorius
-powa_collector powa-collector
+pot python3-pot
+powa-collector powa-collector
 power python3-power
 powerfox python3-powerfox
-powerline_gitstatus python3-powerline-gitstatus
-powerline_status python3-powerline
-powerline_taskwarrior python3-powerline-taskwarrior
+powerline-gitstatus python3-powerline-gitstatus
+powerline-status python3-powerline
+powerline-taskwarrior python3-powerline-taskwarrior
 pox python3-pox
-ppa_dev_tools ppa-dev-tools
+ppa-dev-tools ppa-dev-tools
 ppft python3-ppft
 pplpy python3-ppl
-ppmd_cffi python3-ppmd
+ppmd-cffi python3-ppmd
 pprofile python3-pprofile
 pqconnect python3-pqconnect
+prance python3-prance
 praw python3-praw
 prawcore python3-prawcore
-pre_commit pre-commit
-pre_commit_hooks pre-commit-hooks
-precis_i18n python3-precis-i18n
+pre-commit pre-commit
+pre-commit-hooks pre-commit-hooks
+precis-i18n python3-precis-i18n
 prefixdate python3-prefixdate
 prefixed python3-prefixed
 preggy python3-preggy
 prelude python3-prelude
-prelude_correlator prelude-correlator
+prelude-correlator prelude-correlator
 preludedb python3-preludedb
 presentty presentty
 presets python3-presets
@@ -3993,114 +3882,109 @@ prewikka prewikka
 primecountpy python3-primecountpy
 priority python3-priority
 prison python3-prison
-pristine_lfs pristine-lfs
+pristine-lfs pristine-lfs
 processview python3-processview
 procrunner python3-procrunner
 procset python3-procset
-prodigy_prot python3-prodigy
+prodigy-prot python3-prodigy
+prody python3-prody
+progettihwsw python3-progettihwsw
 proglog python3-proglog
 progress python3-progress
 progressbar python3-progressbar
 progressbar2 python3-progressbar2
-project_generator python3-project-generator
-project_generator_definitions python3-project-generator-definitions
+project-generator python3-project-generator
+project-generator-definitions python3-project-generator-definitions
 proliantutils python3-proliantutils
-prometheus_client python3-prometheus-client
-prometheus_flask_exporter python3-prometheus-flask-exporter
-prometheus_openstack_exporter prometheus-openstack-exporter
-prometheus_xmpp_alerts prometheus-xmpp-alerts
+prometheus-client python3-prometheus-client
+prometheus-fastapi-instrumentator python3-prometheus-fastapi-instrumentator
+prometheus-flask-exporter python3-prometheus-flask-exporter
+prometheus-openstack-exporter prometheus-openstack-exporter
+prometheus-xmpp-alerts prometheus-xmpp-alerts
 promise python3-promise
-prompt_toolkit python3-prompt-toolkit
+prompt-toolkit python3-prompt-toolkit
 propcache python3-propcache
 propka python3-propka
 proselint python3-proselint
 prospector prospector
+protego python3-protego
 proteus tryton-proteus
-proto_plus python3-proto-plus
+proto-plus python3-proto-plus
 protobix python3-protobix
 protobuf python3-protobuf
-proton_core python3-proton-core
-proton_keyring_linux python3-proton-keyring-linux
-proton_vpn_api_core python3-proton-vpn-api-core
+proton-core python3-proton-core
+proton-keyring-linux python3-proton-keyring-linux
+proton-vpn-api-core python3-proton-vpn-api-core
+proton-vpn-gtk-app python3-proton-vpn-gtk-app
 prov python3-prov
 proxmoxer python3-proxmoxer
 psautohint python3-psautohint
-psd_tools python3-psd-tools
+psd-tools python3-psd-tools
 psrecord python3-psrecord
 pssh python3-psshlib
 psutil python3-psutil
-psutil_home_assistant python3-psutil-home-assistant
+psutil-home-assistant python3-psutil-home-assistant
 psutils python3-psutils
 psychopy psychopy
 psycogreen python3-psycogreen
 psycopg python3-psycopg
+psycopg-c python3-psycopg-c
+psycopg-pool python3-psycopg-pool
 psycopg2 python3-psycopg2
-psycopg2cffi python3-psycopg2cffi
-psycopg_c python3-psycopg-c
-psycopg_pool python3-psycopg-pool
 psygnal python3-psygnal
 ptk python3-ptk
 ptpython ptpython
 ptyprocess python3-ptyprocess
+pubchempy python3-pubchempy
 publicsuffix2 python3-publicsuffix2
 pubpaste pubpaste
 pudb python3-pudb
 puddletag puddletag
+pulp python3-pulp
 pulsectl python3-pulsectl
 pulsemixer pulsemixer
-pure_eval python3-pure-eval
-pure_pcapy3 python3-pure-pcapy3
-pure_python_adb python3-ppadb
-pure_sasl python3-pure-sasl
+pure-eval python3-pure-eval
+pure-pcapy3 python3-pure-pcapy3
+pure-python-adb python3-ppadb
+pure-sasl python3-pure-sasl
 puremagic python3-puremagic
 purl python3-purl
 pusimp python3-pusimp
 pvo python3-pvo
+pwdlib python3-pwdlib
 pwdsphinx pwdsphinx
+pweave python3-pweave
 pwman3 pwman3
 pwntools python3-pwntools
 pwquality python3-pwquality
 pxpx px
 py python3-py
+py-aosmith python3-py-aosmith
+py-canary python3-canary
+py-consul python3-consul
+py-cpuinfo python3-cpuinfo
+py-dormakaba-dkey python3-py-dormakaba-dkey
+py-ecc python3-py-ecc
+py-enigma python3-enigma
+py-improv-ble-client python3-py-improv-ble-client
+py-madvr2 python3-py-madvr2
+py-moneyed python3-moneyed
+py-nextbusnext python3-nextbusnext
+py-nightscout python3-py-nightscout
+py-radix python3-radix
+py-serializable python3-py-serializable
+py-sudoku python3-sudoku
+py-synologydsm-api python3-synologydsm-api
+py-ubjson python3-ubjson
+py-vapid python3-py-vapid
+py-zipkin python3-py-zipkin
 py17track python3-py17track
 py2bit python3-py2bit
 py3dns python3-dns
 py3exiv2 python3-py3exiv2
+py3ode python3-pyode
 py3status py3status
 py7zr python3-py7zr
-pyBigWig python3-pybigwig
-pyCEC python3-pycec
-pyClamd python3-pyclamd
-pyControl4 python3-pycontrol4
-pyDuotecno python3-pyduotecno
-pyEGPS python3-pyegps
-pyElectra python3-pyelectra
-pyFFTW python3-pyfftw
-pyNFFT python3-pynfft
-pyOpenSSL python3-openssl
-pyPEG2 python3-pypeg2
-pyRFC3339 python3-rfc3339
-pyRFXtrx python3-pyrfxtrx
-pyRdfa3 python3-pyrdfa
-pyScss python3-pyscss
-pyUSID python3-pyusid
-pyVows python3-pyvows
-py_aosmith python3-py-aosmith
-py_canary python3-canary
-py_consul python3-consul
-py_cpuinfo python3-cpuinfo
-py_dormakaba_dkey python3-py-dormakaba-dkey
-py_enigma python3-enigma
-py_improv_ble_client python3-py-improv-ble-client
-py_moneyed python3-moneyed
-py_nextbusnext python3-nextbusnext
-py_nightscout python3-py-nightscout
-py_radix python3-radix
-py_serializable python3-py-serializable
-py_synologydsm_api python3-synologydsm-api
-py_ubjson python3-ubjson
-py_vapid python3-py-vapid
-py_zipkin python3-py-zipkin
 pyaarlo python3-pyaarlo
 pyabpoa python3-pyabpoa
 pyacoustid python3-acoustid
@@ -4113,7 +3997,7 @@ pyairnow python3-pyairnow
 pyalsa python3-pyalsa
 pyalsaaudio python3-alsaaudio
 pyaml python3-pretty-yaml
-pyaml_env python3-pyaml-env
+pyaml-env python3-pyaml-env
 pyani python3-pyani
 pyao python3-pyao
 pyaps3 python3-pyaps3
@@ -4121,14 +4005,17 @@ pyarcrest python3-arcrest
 pyarmnn python3-pyarmnn
 pyasn python3-pyasn
 pyasn1 python3-pyasn1
-pyasn1_modules python3-pyasn1-modules
-pyasn1_modules_lextudio python3-pyasn1-modules-lextudio
+pyasn1-modules python3-pyasn1-modules
+pyasn1-modules-lextudio python3-pyasn1-modules-lextudio
 pyassimp python3-pyassimp
 pyasuswrt python3-pyasuswrt
 pyasyncore python3-pyasyncore
 pyatag python3-pyatag
 pyatem python3-pyatem
 pyatmo python3-pyatmo
+pyaudio python3-pyaudio
+pyautogui python3-pyautogui
+pyavm python3-pyavm
 pyaxmlparser python3-pyaxmlparser
 pybadges python3-pybadges
 pybalboa python3-pybalboa
@@ -4136,12 +4023,15 @@ pybcj python3-bcj
 pybeam python3-pybeam
 pybedtools python3-pybedtools
 pybel python3-pybel
+pybigwig python3-pybigwig
 pybind11 python3-pybind11
+pybindgen python3-pybindgen
+pybluez python3-bluez
 pybotvac python3-pybotvac
 pybravia python3-pybravia
 pybrowsers python3-pybrowsers
 pybtex python3-pybtex
-pybtex_docutils python3-pybtex-docutils
+pybtex-docutils python3-pybtex-docutils
 pybugz bugz
 pycadf python3-pycadf
 pycairo python3-cairo
@@ -4150,15 +4040,18 @@ pycares python3-pycares
 pycbf python3-pycbf
 pycddl python3-pycddl
 pycdlib python3-pycdlib
+pycec python3-pycec
 pycfdns python3-pycfdns
 pychess pychess
 pychm python3-chm
 pychopper python3-pychopper
+pychromecast python3-pychromecast
+pycifrw python3-pycifrw
 pycirkuit pycirkuit
+pyclamd python3-pyclamd
 pyclipper python3-pyclipper
 pyclustering python3-pyclustering
 pycm python3-pycm
-pycoQC pycoqc
 pycoast python3-pycoast
 pycodcif python3-pycodcif
 pycodestyle python3-pycodestyle
@@ -4166,7 +4059,9 @@ pycognito python3-pycognito
 pycollada python3-collada
 pycomfoconnect python3-pycomfoconnect
 pyconify python3-pyconify
-pycoolmasternet_async python3-pycoolmasternet-async
+pycontrol4 python3-pycontrol4
+pycoolmasternet-async python3-pycoolmasternet-async
+pycoqc pycoqc
 pycosat python3-pycosat
 pycotap python3-pycotap
 pycountry python3-pycountry
@@ -4181,12 +4076,11 @@ pyct python3-pyct
 pycups python3-cups
 pycurl python3-pycurl
 pydantic python3-pydantic
-pydantic_compat python3-pydantic-compat
-pydantic_core python3-pydantic-core
-pydantic_extra_types python3-pydantic-extra-types
-pydantic_settings python3-pydantic-settings
+pydantic-core python3-pydantic-core
+pydantic-extra-types python3-pydantic-extra-types
+pydantic-settings python3-pydantic-settings
 pydash python3-pydash
-pydata_sphinx_theme python3-pydata-sphinx-theme
+pydata-sphinx-theme python3-pydata-sphinx-theme
 pydataverse python3-pydataverse
 pydbus python3-pydbus
 pydeconz python3-pydeconz
@@ -4195,28 +4089,32 @@ pydenticon python3-pydenticon
 pydevd python3-pydevd
 pydicom python3-pydicom
 pydiscovergy python3-pydiscovergy
+pydispatcher python3-pydispatch
 pydl python3-pydl
 pydle python3-pydle
 pydocstyle python3-pydocstyle
 pydoctor pydoctor
 pydot python3-pydot
 pydotplus python3-pydotplus
-pydroid_ipcam python3-pydroid-ipcam
+pydroid-ipcam python3-pydroid-ipcam
 pyds9 python3-pyds9
+pyduotecno python3-pyduotecno
 pydyf python3-pydyf
 pyeapi python3-pyeapi
 pyeclib python3-pyeclib
 pyecoforest python3-pyecoforest
 pyeconet python3-pyeconet
-pyecotrend_ista python3-pyecotrend-ista
+pyecotrend-ista python3-pyecotrend-ista
 pyee python3-pyee
+pyegps python3-pyegps
+pyelectra python3-pyelectra
 pyelftools python3-pyelftools
 pyemd python3-pyemd
 pyenchant python3-enchant
+pyenphase python3-pyenphase
 pyensembl pyensembl
 pyepics python3-pyepics
 pyepr python3-epr
-pyepsg python3-pyepsg
 pyequihash python3-pyequihash
 pyerfa python3-erfa
 pyeverlights python3-pyeverlights
@@ -4228,42 +4126,50 @@ pyfakefs python3-pyfakefs
 pyfastaq fastaq
 pyfastx python3-pyfastx
 pyfavicon python3-pyfavicon
+pyfftw python3-pyfftw
 pyfg python3-pyfg
 pyfibaro python3-pyfibaro
 pyfiglet python3-pyfiglet
 pyflakes python3-pyflakes
 pyflic python3-pyflic
 pyfltk python3-fltk
+pyflume python3-pyflume
 pyforge python3-forge
-pyforked_daapd python3-pyforked-daapd
+pyforked-daapd python3-pyforked-daapd
 pyfribidi python3-pyfribidi
 pyfritzhome python3-pyfritzhome
 pyftdi python3-ftdi
 pyftpdlib python3-pyftpdlib
 pyfttt python3-pyfttt
+pyfunceble-dev python3-pyfunceble
 pyfuse3 python3-pyfuse3
 pyfzf python3-pyfzf
 pygac python3-pygac
 pygal python3-pygal
 pygalmesh python3-pygalmesh
 pygame python3-pygame
-pygame_sdl2 python3-pygame-sdl2
+pygame-sdl2 python3-pygame-sdl2
 pygccxml python3-pygccxml
 pygeofilter python3-pygeofilter
 pygeoif python3-pygeoif
 pygerrit2 python3-pygerrit2
 pyghmi python3-pyghmi
 pygit2 python3-pygit2
+pygithub python3-github
 pyglet python3-pyglet
+pyglm python3-pyglm
 pyglossary python3-pyglossary
 pygls python3-pygls
 pygments python3-pygments
-pygments_ansi_color python3-pygments-ansi-color
+pygments-ansi-color python3-pygments-ansi-color
 pygml python3-pygml
 pygmsh python3-pygmsh
+pygnuplot python3-pygnuplot
+pygobject python3-gi
 pygopherd pygopherd
 pygrace python3-pygrace
 pygraphviz python3-pygraphviz
+pygresql python3-pygresql
 pygrib python3-grib
 pygtail python3-pygtail
 pygti python3-pygti
@@ -4272,43 +4178,55 @@ pygtrie python3-pygtrie
 pygubu python3-pygubu
 pyhamcrest python3-hamcrest
 pyhamtools python3-pyhamtools
-pyhanko_certvalidator python3-pyhanko-certvalidator
+pyhanko-certvalidator python3-pyhanko-certvalidator
 pyhaversion python3-pyhaversion
 pyhcl python3-pyhcl
 pyhdf python3-hdf4
+pyhoca-cli pyhoca-cli
+pyhoca-gui pyhoca-gui
 pyhomematic python3-pyhomematic
 pyhomeworks python3-pyhomeworks
 pyialarm python3-pyialarm
 pyicloud python3-pyicloud
+pyicu python3-icu
 pyimagetool python3-pyimagetool
 pyina python3-pyina
 pyinotify python3-pyinotify
 pyinstaller python3-pyinstaller
+pyinstaller-hooks-contrib pyinstaller-hooks-contrib
+pyinstrument python3-pyinstrument
 pyipp python3-pyipp
 pyiqvia python3-pyiqvia
+pyiskra python3-pyiskra
 pyiss python3-pyiss
 pyisy python3-pyisy
 pyjavaproperties python3-pyjavaproperties
 pyjks python3-pyjks
 pyjokes python3-pyjokes
 pyjvcprojector python3-pyjvcprojector
+pyjwt python3-jwt
+pykcs11 python3-pykcs11
 pykdtree python3-pykdtree
 pykeepass python3-pykeepass
 pykerberos python3-kerberos
 pykira python3-pykira
 pykka python3-pykka
+pykmip python3-pykmip
 pykml python3-pykml
 pykmtronic python3-pykmtronic
 pyknon python3-pyknon
 pykodi python3-pykodi
-pykube_ng python3-pykube-ng
+pykoplenti python3-pykoplenti
+pykube-ng python3-pykube-ng
 pykulersky python3-pykulersky
 pykwalify python3-pykwalify
 pylabels python3-pylabels
 pylama python3-pylama
 pylast python3-pylast
+pylatex python3-pylatex
 pylatexenc python3-pylatexenc
 pylaunches python3-pylaunches
+pyld python3-pyld
 pylev python3-pylev
 pylgnetcast python3-pylgnetcast
 pylibacl python3-pylibacl
@@ -4317,74 +4235,98 @@ pylibdmtx python3-pylibdmtx
 pylibiio python3-libiio
 pyliblo3 python3-liblo
 pylibmc python3-pylibmc
-pylibrespot_java python3-pylibrespot-java
+pylibrespot-java python3-pylibrespot-java
 pylibsrtp python3-pylibsrtp
 pylibtiff python3-libtiff
 pylint pylint
-pylint_celery python3-pylint-celery
-pylint_common python3-pylint-common
-pylint_django python3-pylint-django
-pylint_flask python3-pylint-flask
-pylint_gitlab python3-pylint-gitlab
-pylint_plugin_utils python3-pylint-plugin-utils
-pylint_venv python3-pylint-venv
-pylons_sphinx_themes python3-pylons-sphinx-themes
-pyls_spyder python3-pyls-spyder
-pylsp_mypy python3-pylsp-mypy
-pylsp_rope python3-pylsp-rope
+pylint-celery python3-pylint-celery
+pylint-common python3-pylint-common
+pylint-django python3-pylint-django
+pylint-flask python3-pylint-flask
+pylint-gitlab python3-pylint-gitlab
+pylint-plugin-utils python3-pylint-plugin-utils
+pylint-venv python3-pylint-venv
+pylons-sphinx-themes python3-pylons-sphinx-themes
+pyls-spyder python3-pyls-spyder
+pylsp-mypy python3-pylsp-mypy
+pylsp-rope python3-pylsp-rope
 pylsqpack python3-pylsqpack
 pyluach python3-pyluach
-pylutron_caseta python3-pylutron-caseta
+pylutron-caseta python3-pylutron-caseta
 pymacaroons python3-pymacaroons
+pymacs pymacs
 pymad python3-pymad
 pymailgunner python3-pymailgunner
 pymap3d python3-pymap3d
 pymatgen python3-pymatgen
 pymbar python3-pymbar
 pymbolic python3-pymbolic
-pymdown_extensions python3-pymdownx
+pymca5 python3-pymca5
+pymdown-extensions python3-pymdownx
+pymeasure python3-pymeasure
 pymecavideo python3-mecavideo
 pymediainfo python3-pymediainfo
+pymeeus python3-pymeeus
 pymemcache python3-pymemcache
+pymemoize python3-memoize
+pyment python3-pyment
 pymetar python3-pymetar
+pymeteireann python3-meteireann
 pymeteoclimatic python3-pymeteoclimatic
+pymetno python3-pymetno
 pymia python3-mia
+pymicrobot python3-pymicrobot
 pymilter python3-milter
 pymoc python3-pymoc
 pymodbus python3-pymodbus
 pymol python3-pymol
 pymongo python3-pymongo
 pymonoprice python3-pymonoprice
+pympler python3-pympler
 pympress pympress
+pymsgbox python3-pymsgbox
 pymssql python3-pymssql
 pymummer python3-pymummer
 pymupdf python3-pymupdf
+pymysql python3-pymysql
 pymzml python3-pymzml
+pynacl python3-nacl
 pynag python3-pynag
+pynamecheap python3-namecheap
 pynauty python3-pynauty
+pynecil python3-pynecil
 pynetbox python3-pynetbox
 pynetgear python3-pynetgear
+pynfft python3-pynfft
 pyngus python3-pyngus
+pynina python3-pynina
 pyninjotiff python3-pyninjotiff
+pynlpl python3-pynlpl
 pynmea2 python3-nmea2
+pynn python3-pynn
 pynndescent python3-pynndescent
 pynobo python3-pynobo
+pynordpool python3-pynordpool
+pynormaliz python3-pynormaliz
 pynpoint python3-pynpoint
 pynput python3-pynput
 pynuki python3-pynuki
 pynvim python3-pynvim
 pynwb python3-pynwb
+pynx python3-pynx
 pynx584 python3-pynx584
 pyo python3-pyo
 pyocd python3-pyocd
 pyocr python3-pyocr
 pyoctoprintapi python3-pyoctoprintapi
+pyodata python3-pyodata
 pyodbc python3-pyodbc
 pyodc python3-pyodc
 pyogrio python3-pyogrio
 pyomop python3-pyomop
 pyopencl python3-pyopencl
 pyopengl python3-opengl
+pyopenssl python3-openssl
 pyopenuv python3-pyopenuv
 pyopenweathermap python3-pyopenweathermap
 pyoprf python3-pyoprf
@@ -4395,6 +4337,7 @@ pyotp python3-pyotp
 pyout python3-pyout
 pyp pyp
 pypairix python3-pairix
+pypalazzetti python3-pypalazzetti
 pypandoc python3-pypandoc
 pypaperless python3-pypaperless
 pyparallel python3-parallel
@@ -4404,7 +4347,7 @@ pypartpicker python3-pypartpicker
 pypass python3-pypass
 pypck python3-pypck
 pypdf python3-pypdf
-pypdf2 python3-pypdf2
+pypeg2 python3-pypeg2
 pyperclip python3-pyperclip
 pyperform python3-pyperform
 pyphen python3-pyphen
@@ -4416,77 +4359,111 @@ pypng python3-png
 pypoint python3-pypoint
 pyppd pyppd
 pyppmd python3-pyppmd
+pyprind python3-pyprind
+pyprobeplus python3-pyprobeplus
 pyprof2calltree pyprof2calltree
 pyproj python3-pyproj
-pyproject_api python3-pyproject-api
-pyproject_examples python3-pyproject-examples
-pyproject_hooks python3-pyproject-hooks
-pyproject_metadata python3-pyproject-metadata
-pyproject_parser python3-pyproject-parser
+pyproject-api python3-pyproject-api
+pyproject-examples python3-pyproject-examples
+pyproject-hooks python3-pyproject-hooks
+pyproject-metadata python3-pyproject-metadata
+pyproject-parser python3-pyproject-parser
 pyprojroot python3-pyprojroot
 pyprosegur python3-pyprosegur
+pypubsub python3-pubsub
+pypump python3-pypump
 pypuppetdb python3-pypuppetdb
 pypureomapi python3-pypureomapi
 pypushflow python3-pypushflow
 pyqi pyqi
-pyqt_distutils python3-pyqt-distutils
+pyqrcode python3-pyqrcode
+pyqso pyqso
+pyqt-builder python3-pyqtbuild
+pyqt-distutils python3-pyqt-distutils
+pyqt-qwt python3-pyqt5.qwt
+pyqt5 python3-pyqt5
+pyqt5-sip python3-pyqt5.sip
+pyqt6 python3-pyqt6
+pyqt6-qscintilla python3-pyqt6.qsci
+pyqt6-sip python3-pyqt6.sip
+pyqt6-webengine python3-pyqt6.qtwebengine
 pyqtconsole python3-pyqtconsole
 pyqtgraph python3-pyqtgraph
+pyqtlet2 python3-pyqtlet2
+pyqtwebengine python3-pyqt5.qtwebengine
 pyquery python3-pyquery
 pyrad python3-pyrad
 pyraf python3-pyraf
+pyrail python3-pyrail
 pyramid python3-pyramid
-pyramid_chameleon python3-pyramid-chameleon
-pyramid_jinja2 python3-pyramid-jinja2
-pyramid_multiauth python3-pyramid-multiauth
-pyramid_retry python3-pyramid-retry
-pyramid_tm python3-pyramid-tm
-pyramid_zcml python3-pyramid-zcml
+pyramid-chameleon python3-pyramid-chameleon
+pyramid-jinja2 python3-pyramid-jinja2
+pyramid-multiauth python3-pyramid-multiauth
+pyramid-retry python3-pyramid-retry
+pyramid-tm python3-pyramid-tm
 pyranges python3-pyranges
+pyrate-limiter python3-pyrate-limiter
+pyrdfa3 python3-pyrdfa
 pyreadstat python3-pyreadstat
 pyregfi python3-pyregfi
 pyregion python3-pyregion
 pyremctl python3-pyremctl
 pyresample python3-pyresample
+pyrfc3339 python3-rfc3339
+pyrfxtrx python3-pyrfxtrx
 pyrgg python3-pyrgg
+pyric python3-pyric
 pyrisco python3-pyrisco
 pyrituals python3-pyrituals
 pyrle python3-pyrle
+pyro5 python3-pyro5
 pyroma python3-pyroma
 pyroute2 python3-pyroute2
-pyrr python3-pyrr
 pyrsistent python3-pyrsistent
+pyrss2gen python3-pyrss2gen
 pyrundeck python3-pyrundeck
 pyrympro python3-pyrympro
 pysam python3-pysam
 pysaml2 python3-pysaml2
 pyscard python3-pyscard
 pyschlage python3-pyschlage
+pyscreeze python3-pyscreeze
+pyscss python3-pyscss
+pysdl2 python3-sdl2
 pysendfile python3-sendfile
 pysensibo python3-pysensibo
+pyseq python3-pyseq
 pysequoia python3-pysequoia
 pyserial python3-serial
-pyserial_asyncio python3-serial-asyncio
-pyserial_asyncio_fast python3-pyserial-asyncio-fast
+pyserial-asyncio python3-serial-asyncio
+pyserial-asyncio-fast python3-pyserial-asyncio-fast
+pyseventeentrack python3-pyseventeentrack
+pyshacl python3-pyshacl
+pyshortcuts python3-pyshortcuts
 pyshp python3-pyshp
 pysignalclirestapi python3-pysignalclirestapi
+pysignalr python3-pysignalr
 pysma python3-pysma
 pysmappee python3-pysmappee
+pysmarlaapi python3-pysmarlaapi
 pysmartapp python3-pysmartapp
+pysmartthings python3-pysmartthings
+pysmarty2 python3-pysmarty2
 pysmbc python3-smbc
 pysmi python3-pysmi
-pysnmp python3-pysnmp4
-pysnmp_apps python3-pysnmp4-apps
-pysnmp_lextudio python3-pysnmp-lextudio
-pysnmp_mibs python3-pysnmp4-mibs
-pysnmp_pyasn1 python3-pysnmp-pyasn1
+pysnmp python3-pysnmp
+pysnmp-apps python3-pysnmp4-apps
+pysnmp-mibs python3-pysnmp4-mibs
+pysnmp-pyasn1 python3-pysnmp-pyasn1
+pysocks python3-socks
 pysodium python3-pysodium
-pysol_cards python3-pysol-cards
+pysol-cards python3-pysol-cards
 pysolar python3-pysolar
 pysolid python3-pysolid
 pysolr python3-pysolr
 pyspectral python3-pyspectral
 pyspf python3-spf
+pysph python3-pysph
 pyspike python3-pyspike
 pyspnego python3-pyspnego
 pyspoa python3-pyspoa
@@ -4495,9 +4472,12 @@ pysrs python3-srs
 pysrt python3-pysrt
 pyssim python3-pyssim
 pystac python3-pystac
-pystac_client python3-pystac-client
+pystac-client python3-pystac-client
 pystache python3-pystache
+pystaticconfiguration python3-staticconf
 pystemd python3-pystemd
+pystemmer python3-stemmer
+pystiebeleltron python3-pystiebeleltron
 pystow python3-pystow
 pystray python3-pystray
 pysubnettree python3-subnettree
@@ -4507,292 +4487,312 @@ pysurfer python3-surfer
 pysvn python3-svn
 pyswarms python3-pyswarms
 pyswitchbee python3-pyswitchbee
+pyswitchbot python3-pyswitchbot
 pysword python3-pysword
 pysyncobj python3-pysyncobj
 pysynphot python3-pysynphot
 pytaglib python3-taglib
 pytango python3-tango
 pyte python3-pyte
-pytedee_async python3-pytedee-async
+pytedee-async python3-pytedee-async
 pytermgui python3-pytermgui
 pytest python3-pytest
-pytest_aiohttp python3-pytest-aiohttp
-pytest_arraydiff python3-pytest-arraydiff
-pytest_astropy python3-pytest-astropy
-pytest_astropy_header python3-pytest-astropy-header
-pytest_asyncio python3-pytest-asyncio
-pytest_bdd python3-pytest-bdd
-pytest_benchmark python3-pytest-benchmark
-pytest_check python3-pytest-check
-pytest_click python3-pytest-click
-pytest_codeblocks python3-pytest-codeblocks
-pytest_codspeed python3-pytest-codspeed
-pytest_console_scripts python3-pytest-console-scripts
-pytest_cookies python3-pytest-cookies
-pytest_cov python3-pytest-cov
-pytest_cython python3-pytest-cython
-pytest_datadir python3-pytest-datadir
-pytest_dependency python3-pytest-dependency
-pytest_django python3-pytest-django
-pytest_djangoapp python3-pytest-djangoapp
-pytest_doctestplus python3-pytest-doctestplus
-pytest_emoji python3-pytest-emoji
-pytest_env python3-pytest-env
-pytest_expect python3-pytest-expect
-pytest_filter_subpackage python3-pytest-filter-subpackage
-pytest_flake8 python3-pytest-flake8
-pytest_flake8_path python3-pytest-flake8-path
-pytest_flask python3-pytest-flask
-pytest_forked python3-pytest-forked
-pytest_freezegun python3-pytest-freezegun
-pytest_freezer python3-pytest-freezer
-pytest_golden python3-pytest-golden
-pytest_helpers_namespace python3-pytest-helpers-namespace
-pytest_httpbin python3-pytest-httpbin
-pytest_httpserver python3-pytest-httpserver
-pytest_httpx python3-pytest-httpx
-pytest_instafail python3-pytest-instafail
-pytest_jupyter python3-pytest-jupyter
-pytest_lazy_fixtures python3-pytest-lazy-fixtures
-pytest_localserver python3-pytest-localserver
-pytest_mock python3-pytest-mock
-pytest_mpi python3-pytest-mpi
-pytest_mpl python3-pytest-mpl
-pytest_multihost python3-pytest-multihost
-pytest_mypy_plugins python3-pytest-mypy
-pytest_mypy_testing python3-pytest-mypy-testing
-pytest_openfiles python3-pytest-openfiles
-pytest_order python3-pytest-order
-pytest_pretty python3-pytest-pretty
-pytest_pylint python3-pytest-pylint
-pytest_qt python3-pytestqt
-pytest_random_order python3-pytest-random-order
-pytest_recording python3-pytest-recording
-pytest_regressions python3-pytest-regressions
-pytest_relaxed python3-pytest-relaxed
-pytest_remotedata python3-pytest-remotedata
-pytest_repeat python3-pytest-repeat
-pytest_rerunfailures python3-pytest-rerunfailures
-pytest_resource_path python3-pytest-resource-path
-pytest_retry python3-pytest-retry
-pytest_runner python3-pytest-runner
-pytest_salt python3-pytestsalt
-pytest_shell_utilities python3-pytest-shell-utilities
-pytest_skip_markers python3-pytest-skip-markers
-pytest_snapshot python3-pytest-snapshot
-pytest_socket python3-pytest-socket
-pytest_sourceorder python3-pytest-sourceorder
-pytest_subprocess python3-pytest-subprocess
-pytest_subtests python3-pytest-subtests
-pytest_sugar python3-pytest-sugar
-pytest_tempdir python3-pytest-tempdir
-pytest_testinfra python3-testinfra
-pytest_timeout python3-pytest-timeout
-pytest_toolbox python3-pytest-toolbox
-pytest_tornado python3-pytest-tornado
-pytest_tornasync python3-pytest-tornasync
-pytest_trio python3-pytest-trio
-pytest_twisted python3-pytest-twisted
-pytest_unordered python3-pytest-unordered
-pytest_vcr python3-pytest-vcr
-pytest_venv python3-pytest-venv
-pytest_xdist python3-pytest-xdist
-pytest_xprocess python3-pytest-xprocess
-pytest_xvfb python3-pytest-xvfb
-python3_discogs_client python3-discogs-client
-python3_lxc python3-lxc
-python3_openid python3-openid
-python3_saml python3-onelogin-saml2
-python_MotionMount python3-motionmount
-python_aalib python3-aalib
-python_apt python3-apt
-python_aptly python3-aptly
-python_augeas python3-augeas
-python_awair python3-python-awair
-python_axolotl python3-axolotl
-python_axolotl_curve25519 python3-axolotl-curve25519
-python_barbicanclient python3-barbicanclient
-python_barcode python3-barcode
-python_bidi python3-bidi
-python_binary_memcached python3-binary-memcached
-python_bitcoinlib python3-bitcoinlib
-python_blazarclient python3-blazarclient
-python_box python3-box
-python_bsblan python3-bsblan
-python_bugzilla python3-bugzilla
-python_can python3-can
-python_casacore python3-casacore
-python_cinderclient python3-cinderclient
-python_cloudkittyclient python3-cloudkittyclient
-python_community python3-louvain
-python_corepywrap python3-corepywrap
-python_coriolisclient python3-coriolisclient
-python_cpl python3-cpl
-python_crontab python3-crontab
-python_cyborgclient python3-cyborgclient
-python_daemon python3-daemon
-python_dateutil python3-dateutil
-python_dbusmock python3-dbusmock
-python_debian python3-debian
-python_debianbts python3-debianbts
-python_decouple python3-decouple
-python_designateclient python3-designateclient
-python_didl_lite python3-didl-lite
-python_digitalocean python3-digitalocean
-python_distutils_extra python3-distutils-extra
-python_docs_theme python3-docs-theme
-python_docx python3-docx
-python_dotenv python3-dotenv
-python_dracclient python3-dracclient
-python_ecobee_api python3-ecobee-api
-python_editor python3-editor
-python_engineio python3-engineio
-python_espeak python3-espeak
-python_etcd python3-etcd
-python_evtx python3-evtx
-python_fedora python3-fedora
-python_freecontact python3-freecontact
-python_freezerclient python3-freezerclient
-python_fullykiosk python3-python-fullykiosk
-python_gammu python3-gammu
-python_geotiepoints python3-geotiepoints
-python_gitlab python3-gitlab
-python_glanceclient python3-glanceclient
-python_gnupg python3-gnupg
-python_gvm python3-gvm
-python_heatclient python3-heatclient
-python_hglib python3-hglib
-python_homeassistant_analytics python3-python-homeassistant-analytics
-python_homewizard_energy python3-homewizard-energy
-python_hostlist python3-hostlist
-python_hpilo python3-hpilo
-python_ilorest_library python3-ilorest
-python_ipmi python3-pyipmi
-python_iptables python3-iptables
-python_irodsclient python3-irodsclient
-python_ironicclient python3-ironicclient
-python_iso639 python3-iso639
-python_jenkins python3-jenkins
-python_json_logger python3-pythonjsonlogger
-python_keycloak python3-keycloak
-python_keystoneclient python3-keystoneclient
-python_ldap python3-ldap
-python_libdiscid python3-libdiscid
-python_libguess python3-libguess
-python_libnmap python3-libnmap
-python_librtmp python3-librtmp
-python_linux_procfs python3-linux-procfs
-python_lsp_black python3-pylsp-black
-python_lsp_isort python3-pylsp-isort
-python_lsp_jsonrpc python3-pylsp-jsonrpc
-python_lsp_ruff python3-pylsp-ruff
-python_lsp_server python3-pylsp
-python_ly python3-ly
-python_lzo python3-lzo
-python_magic python3-magic
-python_magnumclient python3-magnumclient
-python_manilaclient python3-manilaclient
-python_markdown_math python3-mdx-math
-python_masakariclient python3-masakariclient
-python_mbedtls python3-mbedtls
-python_memcached python3-memcache
-python_miio python3-miio
-python_mimeparse python3-mimeparse
-python_mistralclient python3-mistralclient
-python_monascaclient python3-monascaclient
-python_mpd2 python3-mpd
-python_multipart python3-python-multipart
-python_musicpd python3-musicpd
-python_mystrom python3-python-mystrom
-python_networkmanager python3-networkmanager
-python_neutronclient python3-neutronclient
-python_nmap python3-nmap
-python_novaclient python3-novaclient
-python_novnc python3-novnc
-python_observabilityclient python3-observabilityclient
-python_octaviaclient python3-octaviaclient
-python_olm python3-olm
-python_opendata_transport python3-opendata-transport
-python_openflow python3-openflow
-python_openid_cla python3-openid-cla
-python_openid_teams python3-openid-teams
-python_opensky python3-opensky
-python_openstackclient python3-openstackclient
-python_otbr_api python3-python-otbr-api
-python_pam python3-pampy
-python_periphery python3-periphery
-python_picnic_api python3-picnic-api
-python_pkcs11 python3-pkcs11
-python_popcon python3-popcon
-python_poppler_qt5 python3-poppler-qt5
-python_potr python3-potr
-python_prctl python3-prctl
-python_pskc python3-pskc
-python_ptrace python3-ptrace
-python_rabbitair python3-rabbitair
-python_rapidjson python3-rapidjson
-python_redmine python3-redminelib
-python_roborock python3-roborock
-python_rtmidi python3-rtmidi
-python_saharaclient python3-saharaclient
-python_samsung_mdc python3-samsung-mdc
-python_sane python3-sane
-python_scciclient python3-scciclient
-python_seamicroclient python3-seamicroclient
-python_searchlightclient python3-searchlightclient
-python_semantic_release python3-semantic-release
-python_senlinclient python3-senlinclient
-python_slugify python3-slugify
-python_snappy python3-snappy
-python_socketio python3-socketio
-python_socks python3-python-socks
-python_songpal python3-songpal
-python_sql python3-sql
-python_stdnum python3-stdnum
-python_subunit python3-subunit
-python_svipc python3-svipc
-python_swiftclient python3-swiftclient
-python_tackerclient python3-tackerclient
-python_tado python3-tado
-python_tds python3-tds
-python_technove python3-technove
-python_telegram_bot python3-python-telegram-bot
-python_tempestconf python3-tempestconf
-python_termstyle python3-termstyle
-python_tr python3-tr
-python_troveclient python3-troveclient
-python_u2flib_server python3-u2flib-server
-python_uinput python3-uinput
-python_ulid python3-ulid
-python_utils python3-python-utils
-python_vagrant python3-vagrant
-python_vitrageclient python3-vitrageclient
-python_vlc python3-vlc
-python_watcher python3-watcher
-python_watcherclient python3-watcherclient
-python_xlib python3-xlib
-python_yubico python3-yubico
-python_zaqarclient python3-zaqarclient
-python_zunclient python3-zunclient
+pytest-aiohttp python3-pytest-aiohttp
+pytest-arraydiff python3-pytest-arraydiff
+pytest-asdf-plugin python3-pytest-asdf-plugin
+pytest-astropy python3-pytest-astropy
+pytest-astropy-header python3-pytest-astropy-header
+pytest-asyncio python3-pytest-asyncio
+pytest-bdd python3-pytest-bdd
+pytest-benchmark python3-pytest-benchmark
+pytest-black python3-pytest-black
+pytest-check python3-pytest-check
+pytest-click python3-pytest-click
+pytest-codeblocks python3-pytest-codeblocks
+pytest-codspeed python3-pytest-codspeed
+pytest-console-scripts python3-pytest-console-scripts
+pytest-cookies python3-pytest-cookies
+pytest-cov python3-pytest-cov
+pytest-cython python3-pytest-cython
+pytest-datadir python3-pytest-datadir
+pytest-dependency python3-pytest-dependency
+pytest-django python3-pytest-django
+pytest-djangoapp python3-pytest-djangoapp
+pytest-doctestplus python3-pytest-doctestplus
+pytest-emoji python3-pytest-emoji
+pytest-env python3-pytest-env
+pytest-expect python3-pytest-expect
+pytest-filter-subpackage python3-pytest-filter-subpackage
+pytest-flake8-path python3-pytest-flake8-path
+pytest-flask python3-pytest-flask
+pytest-forked python3-pytest-forked
+pytest-freezegun python3-pytest-freezegun
+pytest-freezer python3-pytest-freezer
+pytest-golden python3-pytest-golden
+pytest-helpers-namespace python3-pytest-helpers-namespace
+pytest-httpbin python3-pytest-httpbin
+pytest-httpserver python3-pytest-httpserver
+pytest-httpx python3-pytest-httpx
+pytest-instafail python3-pytest-instafail
+pytest-jupyter python3-pytest-jupyter
+pytest-lazy-fixtures python3-pytest-lazy-fixtures
+pytest-localserver python3-pytest-localserver
+pytest-logdog python3-pytest-logdog
+pytest-mock python3-pytest-mock
+pytest-mpi python3-pytest-mpi
+pytest-mpl python3-pytest-mpl
+pytest-multihost python3-pytest-multihost
+pytest-mypy-plugins python3-pytest-mypy
+pytest-mypy-testing python3-pytest-mypy-testing
+pytest-openfiles python3-pytest-openfiles
+pytest-order python3-pytest-order
+pytest-pretty python3-pytest-pretty
+pytest-pylint python3-pytest-pylint
+pytest-qt python3-pytestqt
+pytest-random-order python3-pytest-random-order
+pytest-recording python3-pytest-recording
+pytest-regressions python3-pytest-regressions
+pytest-relaxed python3-pytest-relaxed
+pytest-remotedata python3-pytest-remotedata
+pytest-repeat python3-pytest-repeat
+pytest-rerunfailures python3-pytest-rerunfailures
+pytest-resource-path python3-pytest-resource-path
+pytest-retry python3-pytest-retry
+pytest-run-parallel python3-pytest-run-parallel
+pytest-runner python3-pytest-runner
+pytest-salt python3-pytestsalt
+pytest-shell-utilities python3-pytest-shell-utilities
+pytest-skip-markers python3-pytest-skip-markers
+pytest-snapshot python3-pytest-snapshot
+pytest-socket python3-pytest-socket
+pytest-sourceorder python3-pytest-sourceorder
+pytest-subprocess python3-pytest-subprocess
+pytest-subtests python3-pytest-subtests
+pytest-sugar python3-pytest-sugar
+pytest-tempdir python3-pytest-tempdir
+pytest-testinfra python3-testinfra
+pytest-timeout python3-pytest-timeout
+pytest-toolbox python3-pytest-toolbox
+pytest-tornado python3-pytest-tornado
+pytest-tornasync python3-pytest-tornasync
+pytest-trio python3-pytest-trio
+pytest-twisted python3-pytest-twisted
+pytest-unmagic python3-pytest-unmagic
+pytest-unordered python3-pytest-unordered
+pytest-vcr python3-pytest-vcr
+pytest-venv python3-pytest-venv
+pytest-watcher python3-pytest-watcher
+pytest-xdist python3-pytest-xdist
+pytest-xprocess python3-pytest-xprocess
+pytest-xvfb python3-pytest-xvfb
+python-aalib python3-aalib
+python-adjutant python3-adjutant
+python-adjutantclient python3-adjutantclient
+python-apt python3-apt
+python-aptly python3-aptly
+python-augeas python3-augeas
+python-awair python3-python-awair
+python-axolotl python3-axolotl
+python-axolotl-curve25519 python3-axolotl-curve25519
+python-barbicanclient python3-barbicanclient
+python-barcode python3-barcode
+python-bidi python3-bidi
+python-binary-memcached python3-binary-memcached
+python-bitcoinlib python3-bitcoinlib
+python-blazarclient python3-blazarclient
+python-box python3-box
+python-bsblan python3-bsblan
+python-bugzilla python3-bugzilla
+python-can python3-can
+python-casacore python3-casacore
+python-cinderclient python3-cinderclient
+python-cloudkittyclient python3-cloudkittyclient
+python-community python3-louvain
+python-corepywrap python3-corepywrap
+python-coriolisclient python3-coriolisclient
+python-cpl python3-cpl
+python-crontab python3-crontab
+python-cyborgclient python3-cyborgclient
+python-daemon python3-daemon
+python-dateutil python3-dateutil
+python-dbusmock python3-dbusmock
+python-debian python3-debian
+python-debianbts python3-debianbts
+python-decouple python3-decouple
+python-designateclient python3-designateclient
+python-didl-lite python3-didl-lite
+python-digitalocean python3-digitalocean
+python-distutils-extra python3-distutils-extra
+python-docs-theme python3-docs-theme
+python-docx python3-docx
+python-dotenv python3-dotenv
+python-dracclient python3-dracclient
+python-ecobee-api python3-ecobee-api
+python-editor python3-editor
+python-engineio python3-engineio
+python-espeak python3-espeak
+python-etcd python3-etcd
+python-evtx python3-evtx
+python-fedora python3-fedora
+python-freecontact python3-freecontact
+python-freezerclient python3-freezerclient
+python-fullykiosk python3-python-fullykiosk
+python-gammu python3-gammu
+python-geotiepoints python3-geotiepoints
+python-gitlab python3-gitlab
+python-glanceclient python3-glanceclient
+python-gnupg python3-gnupg
+python-gvm python3-gvm
+python-heatclient python3-heatclient
+python-hglib python3-hglib
+python-homeassistant-analytics python3-python-homeassistant-analytics
+python-homewizard-energy python3-homewizard-energy
+python-hostlist python3-hostlist
+python-hpilo python3-hpilo
+python-ilorest-library python3-ilorest
+python-ipmi python3-pyipmi
+python-iptables python3-iptables
+python-irodsclient python3-irodsclient
+python-ironic-inspector-client python3-ironic-inspector-client
+python-ironicclient python3-ironicclient
+python-iso639 python3-iso639
+python-jenkins python3-jenkins
+python-json-logger python3-pythonjsonlogger
+python-jsonpath python3-jsonpath
+python-keycloak python3-keycloak
+python-keystoneclient python3-keystoneclient
+python-ldap python3-ldap
+python-libdiscid python3-libdiscid
+python-libguess python3-libguess
+python-libnmap python3-libnmap
+python-librtmp python3-librtmp
+python-linux-procfs python3-linux-procfs
+python-lsp-black python3-pylsp-black
+python-lsp-isort python3-pylsp-isort
+python-lsp-jsonrpc python3-pylsp-jsonrpc
+python-lsp-ruff python3-pylsp-ruff
+python-lsp-server python3-pylsp
+python-ly python3-ly
+python-lzf python3-lzf
+python-lzo python3-lzo
+python-magic python3-magic
+python-magnumclient python3-magnumclient
+python-manilaclient python3-manilaclient
+python-markdown-math python3-mdx-math
+python-masakariclient python3-masakariclient
+python-mbedtls python3-mbedtls
+python-memcached python3-memcache
+python-miio python3-miio
+python-mimeparse python3-mimeparse
+python-mistralclient python3-mistralclient
+python-monascaclient python3-monascaclient
+python-motionmount python3-motionmount
+python-mpd2 python3-mpd
+python-multipart python3-python-multipart
+python-musicpd python3-musicpd
+python-mystrom python3-python-mystrom
+python-networkmanager python3-networkmanager
+python-neutronclient python3-neutronclient
+python-nmap python3-nmap
+python-novaclient python3-novaclient
+python-observabilityclient python3-observabilityclient
+python-octaviaclient python3-octaviaclient
+python-olm python3-olm
+python-opendata-transport python3-opendata-transport
+python-openflow python3-openflow
+python-openid-cla python3-openid-cla
+python-openid-teams python3-openid-teams
+python-opensky python3-opensky
+python-openstackclient python3-openstackclient
+python-otbr-api python3-python-otbr-api
+python-overseerr python3-overseerr
+python-pam python3-pampy
+python-periphery python3-periphery
+python-picnic-api python3-picnic-api
+python-picnic-api2 python3-picnic-api2
+python-pkcs11 python3-pkcs11
+python-popcon python3-popcon
+python-poppler-qt5 python3-poppler-qt5
+python-potr python3-potr
+python-prctl python3-prctl
+python-pskc python3-pskc
+python-ptrace python3-ptrace
+python-rabbitair python3-rabbitair
+python-rapidjson python3-rapidjson
+python-redmine python3-redminelib
+python-roborock python3-roborock
+python-rtmidi python3-rtmidi
+python-samsung-mdc python3-samsung-mdc
+python-sane python3-sane
+python-scciclient python3-scciclient
+python-seamicroclient python3-seamicroclient
+python-searchlightclient python3-searchlightclient
+python-semantic-release python3-semantic-release
+python-slugify python3-slugify
+python-snappy python3-snappy
+python-snoo python3-snoo
+python-socketio python3-socketio
+python-socks python3-python-socks
+python-songpal python3-songpal
+python-sql python3-sql
+python-stdnum python3-stdnum
+python-subunit python3-subunit
+python-svipc python3-svipc
+python-swiftclient python3-swiftclient
+python-tackerclient python3-tackerclient
+python-tado python3-tado
+python-tds python3-tds
+python-technove python3-technove
+python-telegram-bot python3-python-telegram-bot
+python-tempestconf python3-tempestconf
+python-termstyle python3-termstyle
+python-tr python3-tr
+python-troveclient python3-troveclient
+python-u2flib-server python3-u2flib-server
+python-uinput python3-uinput
+python-ulid python3-ulid
+python-utils python3-python-utils
+python-vagrant python3-vagrant
+python-vitrageclient python3-vitrageclient
+python-vlc python3-vlc
+python-vmmsclient python3-vmmsclient
+python-watcher python3-watcher
+python-watcherclient python3-watcherclient
+python-xlib python3-xlib
+python-yubico python3-yubico
+python-zaqarclient python3-zaqarclient
+python-zunclient python3-zunclient
+python3-discogs-client python3-discogs-client
+python3-lxc python3-lxc
+python3-openid python3-openid
+python3-saml python3-onelogin-saml2
 pythondialog python3-dialog
+pythonqwt python3-qwt
 pythran python3-pythran
+pytibber python3-pytibber
 pytidylib python3-tidylib
 pytile python3-pytile
 pytimeparse python3-pytimeparse
 pytkdocs python3-pytkdocs
+pytokens python3-pytokens
 pytoolconfig python3-pytoolconfig
+pytooling python3-pytooling
 pytools python3-pytools
-pytorch_ignite python3-torch-ignite
-pytorch_tabnet python3-tabnet
+pytorch-ignite python3-torch-ignite
+pytorch-tabnet python3-tabnet
+pytouchlinesl python3-pytouchlinesl
+pytraccar python3-pytraccar
 pytrafikverket python3-pytrafikverket
 pytrainer pytrainer
 pytray python3-pytray
-pytroll_schedule python3-trollsched
+pytrie python3-trie
+pytroll-schedule python3-trollsched
 pytrydan python3-pytrydan
 pytsk3 python3-tsk
+pyturbojpeg python3-turbojpeg
 pytweening python3-pytweening
 pytz python3-pytz
-pytz_deprecation_shim python3-pytz-deprecation-shim
+pytz-deprecation-shim python3-pytz-deprecation-shim
 pytzdata python3-pytzdata
 pyu2f python3-pyu2f
 pyuca python3-pyuca
@@ -4800,62 +4800,80 @@ pyudev python3-pyudev
 pyunitsystem python3-pyunitsystem
 pyupgrade pyupgrade
 pyusb python3-usb
+pyusid python3-pyusid
 pyutil python3-pyutil
+pyvcf python3-vcf
 pyvesync python3-pyvesync
 pyvicare python3-pyvicare
+pyvirtualdisplay python3-pyvirtualdisplay
+pyvisa python3-pyvisa
+pyvisa-py python3-pyvisa-py
+pyvisa-sim python3-pyvisa-sim
 pyvista python3-pyvista
 pyvkfft python3-pyvkfft
 pyvlx python3-pyvlx
 pyvmomi python3-pyvmomi
 pyvo python3-pyvo
 pyvolumio python3-pyvolumio
+pyvows python3-pyvows
 pywatchman python3-pywatchman
+pywavefront python3-pywavefront
+pywavelets python3-pywt
 pywayland python3-pywayland
+pywebdav3 python3-webdav
+pywebpush python3-pywebpush
 pywebview python3-webview
 pywinrm python3-winrm
 pywps python3-pywps
 pyws66i python3-pyws66i
 pywws python3-pywws
-pyxDamerauLevenshtein python3-pyxdameraulevenshtein
+pyx python3-pyx
 pyxattr python3-pyxattr
+pyxdameraulevenshtein python3-pyxdameraulevenshtein
 pyxdg python3-xdg
+pyxiaomigateway python3-pyxiaomigateway
 pyxid python3-pyxid
 pyxnat python3-pyxnat
+pyxrd python3-pyxrd
 pyxs python3-pyxs
-pyyaml_env_tag python3-pyyaml-env-tag
+pyyaml python3-yaml
+pyyaml-env-tag python3-pyyaml-env-tag
 pyyardian python3-pyyardian
 pyzabbix python3-pyzabbix
 pyzbar python3-pyzbar
 pyzipper python3-pyzipper
 pyzmq python3-zmq
+pyzoltan python3-pyzoltan
 pyzor pyzor
 pyzstd python3-pyzstd
 q python3-q
-q2_alignment q2-alignment
-q2_cutadapt q2-cutadapt
-q2_dada2 q2-dada2
-q2_demux q2-demux
-q2_diversity_lib q2-diversity-lib
-q2_emperor q2-emperor
-q2_feature_classifier q2-feature-classifier
-q2_feature_table q2-feature-table
-q2_fragment_insertion q2-fragment-insertion
-q2_metadata q2-metadata
-q2_phylogeny q2-phylogeny
-q2_quality_control q2-quality-control
-q2_quality_filter q2-quality-filter
-q2_sample_classifier q2-sample-classifier
-q2_taxa q2-taxa
-q2_types q2-types
+q2-alignment q2-alignment
+q2-cutadapt q2-cutadapt
+q2-dada2 q2-dada2
+q2-demux q2-demux
+q2-diversity-lib q2-diversity-lib
+q2-emperor q2-emperor
+q2-feature-classifier q2-feature-classifier
+q2-feature-table q2-feature-table
+q2-fragment-insertion q2-fragment-insertion
+q2-metadata q2-metadata
+q2-phylogeny q2-phylogeny
+q2-quality-control q2-quality-control
+q2-quality-filter q2-quality-filter
+q2-sample-classifier q2-sample-classifier
+q2-taxa q2-taxa
+q2-types q2-types
 q2cli q2cli
 q2templates q2templates
 qasync python3-qasync
 qbrz qbrz
+qbusmqttapi python3-qbusmqttapi
 qcat qcat
 qcelemental python3-qcelemental
 qcengine python3-qcengine
+qdarkstyle python3-qdarkstyle
 qiime2 qiime
-qingping_ble python3-qingping-ble
+qingping-ble python3-qingping-ble
 qmix python3-qmix
 qmk qmk
 qnapstats python3-qnapstats
@@ -4865,17 +4883,20 @@ qrcode python3-qrcode
 qrcodegen python3-qrcodegen
 qrencode python3-qrencode
 qrtools python3-qrtools
+qscintilla python3-pyqt5.qsci
 qstylizer python3-qstylizer
+qt-material python3-qt-material
 qt5reactor python3-qt5reactor
-qt_material python3-qt-material
+qtawesome python3-qtawesome
 qtconsole python3-qtconsole
 qtile python3-qtile
+qtpy python3-qtpy
 qtpynodeeditor python3-qtpynodeeditor
 qtsass python3-qtsass
+quamash python3-quamash
 quantities python3-quantities
-quark_sphinx_theme python3-quark-sphinx-theme
 quart python3-quart
-quart_trio python3-quart-trio
+quart-trio python3-quart-trio
 questionary python3-questionary
 questplus python3-questplus
 queuelib python3-queuelib
@@ -4887,23 +4908,25 @@ qutip python3-qutip
 qweborf qweborf
 rabbitvcs rabbitvcs-core
 raccoon python3-raccoon
-radicale_dovecot_auth python3-radicale-dovecot-auth
-radio_beam python3-radio-beam
+rachiopy python3-rachiopy
+radicale python3-radicale
+radicale-dovecot-auth python3-radicale-dovecot-auth
+radio-beam python3-radio-beam
 radios python3-radios
 radiotherm python3-radiotherm
 radon radon
 rados python3-rados
 ragout ragout
-railroad_diagrams python3-railroad-diagrams
+railroad-diagrams python3-railroad-diagrams
 rally python3-rally
-rally_openstack python3-rally-openstack
+rally-openstack python3-rally-openstack
 rangehttpserver python3-rangehttpserver
-ranger_fm ranger
-rapid_photo_downloader rapid-photo-downloader
+ranger-fm ranger
+rapid-photo-downloader rapid-photo-downloader
 rapidfuzz python3-rapidfuzz
-rapt_ble python3-rapt-ble
+rapt-ble python3-rapt-ble
 rarfile python3-rarfile
-raritan_json_rpc python3-raritan-json-rpc
+raritan python3-raritan-json-rpc
 rasterio python3-rasterio
 ratelimit python3-ratelimit
 ratelimiter python3-ratelimiter
@@ -4916,125 +4939,137 @@ rcssmin python3-rcssmin
 rcutils python3-rcutils
 rdata python3-rdata
 rdflib python3-rdflib
-rdflib_endpoint python3-rdflib-endpoint
-rdflib_sqlalchemy python3-rdflib-sqlalchemy
-rdiff_backup rdiff-backup
-re_assert python3-re-assert
+rdflib-endpoint python3-rdflib-endpoint
+rdflib-sqlalchemy python3-rdflib-sqlalchemy
+rdiff-backup rdiff-backup
+re-assert python3-re-assert
 reactivex python3-rx
-readability_lxml python3-readability
+readability-lxml python3-readability
 readlike python3-readlike
-readme_renderer python3-readme-renderer
+readme-renderer python3-readme-renderer
 readtime python3-readtime
 readucks readucks
-rebound_cli rebound
+rebound-cli rebound
 rebulk python3-rebulk
 recan recan
-receptor_python_worker python3-receptor-python-worker
+receptor-python-worker python3-receptor-python-worker
 receptorctl python3-receptorctl
-recipe_scrapers python3-recipe-scrapers
+recipe-scrapers python3-recipe-scrapers
 reclass python3-reclass
 recommonmark python3-recommonmark
-recurring_ical_events python3-recurring-ical-events
+recurring-ical-events python3-recurring-ical-events
 redbaron python3-redbaron
 redfish python3-redfish
 redfishtool redfishtool
 redis python3-redis
-redis_py_cluster python3-rediscluster
+redis-py-cluster python3-rediscluster
 reedsolo python3-reedsolo
 reentry python3-reentry
 referencing python3-referencing
 reflink python3-reflink
 refnx python3-refnx
-refstack_client refstack-client
+refstack-client refstack-client
 refurb python3-refurb
 regenmaschine python3-regenmaschine
 regex python3-regex
 regions python3-regions
 relational python3-relational
-relational_gui relational
-relational_readline relational-cli
+relational-gui relational
+relational-readline relational-cli
 relatorio python3-relatorio
 releases python3-releases
-remote_logon_config_agent remote-logon-config-agent
+remote-logon-config-agent remote-logon-config-agent
 remotezip python3-remotezip
-rename_flac rename-flac
-renault_api python3-renault-api
+ren-py python3-renpy
+rename-flac rename-flac
+renardo python3-renardo
+renardo-gatherer python3-renardo-gatherer
+renardo-lib python3-renardo-lib
+renault-api python3-renault-api
 rencode python3-rencode
-renishawWiRE python3-renishawwire
+renishawwire python3-renishawwire
 reno python3-reno
-renson_endura_delta python3-renson-endura-delta
+renson-endura-delta python3-renson-endura-delta
+reparser python3-reparser
 reportbug python3-reportbug
 reportlab python3-reportlab
-repoze.lru python3-repoze.lru
-repoze.sphinx.autointerface python3-repoze.sphinx.autointerface
-repoze.tm2 python3-repoze.tm2
-repoze.who python3-repoze.who
+repoze-lru python3-repoze.lru
+repoze-sphinx-autointerface python3-repoze.sphinx.autointerface
+repoze-tm2 python3-repoze.tm2
+repoze-who python3-repoze.who
 reproject python3-reproject
 reprotest reprotest
 reprounzip python3-reprounzip
 reprozip python3-reprozip
 requests python3-requests
-requests_aws python3-awsauth
-requests_cache python3-requests-cache
-requests_file python3-requests-file
-requests_futures python3-requests-futures
-requests_kerberos python3-requests-kerberos
-requests_mock python3-requests-mock
-requests_ntlm python3-requests-ntlm
-requests_oauthlib python3-requests-oauthlib
-requests_toolbelt python3-requests-toolbelt
-requests_unixsocket python3-requests-unixsocket
+requests-aws python3-awsauth
+requests-cache python3-requests-cache
+requests-file python3-requests-file
+requests-futures python3-requests-futures
+requests-kerberos python3-requests-kerberos
+requests-mock python3-requests-mock
+requests-ntlm python3-requests-ntlm
+requests-oauthlib python3-requests-oauthlib
+requests-toolbelt python3-requests-toolbelt
+requests-unixsocket2 python3-requests-unixsocket
 requestsexceptions python3-requestsexceptions
-requirements_detector python3-requirements-detector
-requirements_parser python3-requirements
+requirements-detector python3-requirements-detector
+requirements-parser python3-requirements
+resample python3-resample
 resampy python3-resampy
+resistordecoder resistor-decoder
 resolvelib python3-resolvelib
-resource_retriever python3-resource-retriever
+resource-retriever python3-resource-retriever
 responses python3-responses
 respx python3-respx
-rest_framework_yaml python3-djangorestframework-yaml
+rest-framework-yaml python3-djangorestframework-yaml
 restless python3-restless
-restructuredtext_lint python3-restructuredtext-lint
+restrictedpython python3-restrictedpython
+restructuredtext-lint python3-restructuredtext-lint
 retry python3-retry
 retrying python3-retrying
 returns python3-returns
 reuse reuse
 rfc3161ng python3-rfc3161ng
-rfc3339_validator python3-rfc3339-validator
+rfc3339-validator python3-rfc3339-validator
 rfc3986 python3-rfc3986
-rfc3986_validator python3-rfc3986-validator
+rfc3986-validator python3-rfc3986-validator
 rfc3987 python3-rfc3987
 rfc6555 python3-rfc6555
 rfc8785 python3-rfc8785
 rgw python3-rgw
 rich python3-rich
-rich_argparse python3-rich-argparse
-rich_click python3-rich-click
-rich_rst python3-rich-rst
-rickslab_gpu_utils python3-gpumodules
-ring_doorbell python3-ring-doorbell
+rich-argparse python3-rich-argparse
+rich-click python3-rich-click
+rich-rst python3-rich-rst
+rickslab-gpu-utils python3-gpumodules
+ring-doorbell python3-ring-doorbell
 rioxarray python3-rioxarray
-ripe.atlas.cousteau python3-ripe-atlas-cousteau
-ripe.atlas.sagan python3-ripe-atlas-sagan
-ripe.atlas.tools ripe-atlas-tools
+ripe-atlas-cousteau python3-ripe-atlas-cousteau
+ripe-atlas-sagan python3-ripe-atlas-sagan
+ripe-atlas-tools ripe-atlas-tools
 riscemu riscemu
 rjsmin python3-rjsmin
-rlPyCairo python3-rlpycairo
-rl_accel python3-rl-accel
-rl_renderPM python3-rl-renderpm
+rl-accel python3-rl-accel
+rl-renderpm python3-rl-renderpm
+rlpycairo python3-rlpycairo
 rnc2rng python3-rnc2rng
 rnp python3-rnp
+roadmap-plugin trac-roadmap
 robber python3-robber
-robot_detection python3-robot-detection
+robot-detection python3-robot-detection
 rocketcea rocketcea
+rocm-docs-core python3-rocm-docs
 rokuecp python3-rokuecp
 roman python3-roman
+roman-numerals-py python3-roman-numerals
 romy python3-romy
 roonapi python3-roonapi
 rope python3-rope
+ropgadget python3-ropgadget
 rosbag python3-rosbag
 rosbags python3-rosbags
-rosboost_cfg python3-rosboost-cfg
+rosboost-cfg python3-rosboost-cfg
 rosclean python3-rosclean
 roscreate python3-roscreate
 rosdep python3-rosdep2
@@ -5042,16 +5077,16 @@ rosdiagnostic rosdiagnostic
 rosdistro python3-rosdistro
 rosettasciio python3-rosettasciio
 rosgraph python3-rosgraph
-rosidl_adapter python3-rosidl
-rosidl_cli python3-rosidl
-rosidl_cmake python3-rosidl
-rosidl_generator_c python3-rosidl
-rosidl_generator_cpp python3-rosidl
-rosidl_parser python3-rosidl
-rosidl_pycommon python3-rosidl
-rosidl_typesupport_introspection_c python3-rosidl
-rosidl_typesupport_introspection_cpp python3-rosidl
-rosinstall_generator python3-rosinstall-generator
+rosidl-adapter python3-rosidl
+rosidl-cli python3-rosidl
+rosidl-cmake python3-rosidl
+rosidl-generator-c python3-rosidl
+rosidl-generator-cpp python3-rosidl
+rosidl-parser python3-rosidl
+rosidl-pycommon python3-rosidl
+rosidl-typesupport-introspection-c python3-rosidl
+rosidl-typesupport-introspection-cpp python3-rosidl
+rosinstall-generator python3-rosinstall-generator
 roslaunch python3-roslaunch
 roslib python3-roslib
 roslz4 python3-roslz4
@@ -5068,17 +5103,20 @@ rostopic python3-rostopic
 rosunit python3-rosunit
 roswtf python3-roswtf
 roundrobin python3-roundrobin
+routes python3-routes
 rova python3-rova
 rows python3-rows
 rpaths python3-rpaths
 rpcq python3-rpcq
-rpds_py python3-rpds-py
-rpi_bad_power python3-rpi-bad-power
-rpl rpl
+rpds-py python3-rpds-py
+rpi-bad-power python3-rpi-bad-power
+rpi-bme280 python3-bme280
 rply python3-rply
 rpm python3-rpm
 rpmlint rpmlint
 rpy2 python3-rpy2
+rpy2-rinterface python3-rpy2
+rpy2-robjects python3-rpy2
 rpyc python3-rpyc
 rq python3-rq
 rrdtool python3-rrdtool
@@ -5088,41 +5126,43 @@ rss2email rss2email
 rst2ansi python3-rst2ansi
 rst2pdf rst2pdf
 rstcheck python3-rstcheck
-rstcheck_core python3-rstcheck
+rstcheck-core python3-rstcheck
 rstr python3-rstr
 rsyncmanager python3-rsyncmanager
 rt python3-rt
-rtf_tokenize python3-rtf-tokenize
+rtf-tokenize python3-rtf-tokenize
 rtree python3-rtree
-rtslib_fb python3-rtslib-fb
-rtsp_to_webrtc python3-rtsp-to-webrtc
-ruamel.yaml python3-ruamel.yaml
-ruamel.yaml.clib python3-ruamel.yaml.clib
+rtslib-fb python3-rtslib-fb
+rtsp-to-webrtc python3-rtsp-to-webrtc
+ruamel-yaml python3-ruamel.yaml
+ruamel-yaml-clib python3-ruamel.yaml.clib
 ruff python3-ruff
 ruffus python3-ruffus
 rules python3-django-rules
-ruuvitag_ble python3-ruuvitag-ble
+runsnakerun runsnakerun
+ruuvitag-ble python3-ruuvitag-ble
 ruyaml python3-ruyaml
 rviz python3-rviz
 rxv python3-rxv
+s-tui s-tui
 s3cmd s3cmd
 s3transfer python3-s3transfer
-s_tui s-tui
 sabctools python3-sabctools
 sacad sacad
 sadisplay python3-sadisplay
 safeeyes safeeyes
 safetensors python3-safetensors
-sagemath_standard python3-sage
-sagenb_export python3-sagenb-export
+sagemath-standard python3-sage
+sagenb-export python3-sagenb-export
 salmid salmid
-salt_pepper salt-pepper
+salt-pepper salt-pepper
+saltpylint python3-saltpylint
 samsungctl python3-samsungctl
 saneyaml python3-saneyaml
 sanix python3-sanix
-sanlock_python python3-sanlock
+sanlock-python python3-sanlock
 sardana python3-sardana
-sarif_om python3-sarif-python-om
+sarif-om python3-sarif-python-om
 sarsen python3-sarsen
 sasdata python3-sasdata
 sasmodels python3-sasmodels
@@ -5136,29 +5176,32 @@ scapy python3-scapy
 schedule python3-schedule
 schedutils python3-schedutils
 schema python3-schema
-schema_salad python3-schema-salad
+schema-salad python3-schema-salad
 schwifty python3-schwifty
+scienceplots python3-scienceplots
 scifem python3-scifem
-scikit_bio python3-skbio
-scikit_build python3-skbuild
-scikit_build_core python3-scikit-build-core
-scikit_fmm python3-scikit-fmm
-scikit_image python3-skimage
-scikit_learn python3-sklearn
-scikit_misc python3-skmisc
-scikit_optimize python3-scikit-optimize
-scikit_rf python3-scikit-rf
+scikit-bio python3-skbio
+scikit-build python3-skbuild
+scikit-build-core python3-scikit-build-core
+scikit-fmm python3-scikit-fmm
+scikit-image python3-skimage
+scikit-learn python3-sklearn
+scikit-misc python3-skmisc
+scikit-optimize python3-scikit-optimize
+scikit-rf python3-scikit-rf
 scipy python3-scipy
 scitrack python3-scitrack
 scoary scoary
+scons scons
 scooby python3-scooby
 scour python3-scour
 scp python3-scp
 scpi python3-scpi
 scramp python3-scramp
 scrapli python3-scrapli
-scrapli_replay python3-scrapli-replay
-scrapy_djangoitem python3-scrapy-djangoitem
+scrapli-replay python3-scrapli-replay
+scrapy python3-scrapy
+scrapy-djangoitem python3-scrapy-djangoitem
 screed python3-screed
 screeninfo python3-screeninfo
 screenkey screenkey
@@ -5172,6 +5215,8 @@ sdkmanager sdkmanager
 sdnotify python3-sdnotify
 seaborn python3-seaborn
 searx python3-searx
+secretstorage python3-secretstorage
+securestring python3-securestring
 securesystemslib python3-securesystemslib
 securetar python3-securetar
 sedparse python3-sedparse
@@ -5182,73 +5227,77 @@ segyio python3-segyio
 seirsplus python3-seirsplus
 selenium python3-selenium
 selinux python3-selinux
-semantic_version python3-semantic-version
+semantic-version python3-semantic-version
 semver python3-semver
 sen sen
-senlin_dashboard python3-senlin-dashboard
-senlin_tempest_plugin senlin-tempest-plugin
-sensor_msgs python3-sensor-msgs
-sensor_state_data python3-sensor-state-data
-sensorpro_ble python3-sensorpro-ble
-sensorpush_ble python3-sensorpush-ble
+send2trash python3-send2trash
+sensor-msgs python3-sensor-msgs
+sensor-state-data python3-sensor-state-data
+sensorpro-ble python3-sensorpro-ble
+sensorpush-ble python3-sensorpush-ble
+sentence-stream python3-sentence-stream
 sentencepiece python3-sentencepiece
 sentinels python3-sentinels
 sentinelsat python3-sentinelsat
-sentry_sdk python3-sentry-sdk
+sentry-sdk python3-sentry-sdk
 sep python3-sep
 sepaxml python3-sepaxml
 sepolicy python3-sepolicy
 sepp sepp
 seqdiag python3-seqdiag
 seqmagick seqmagick
+sercol python3-sercol
 serializable python3-serializable
 serpent python3-serpent
 servefile servefile
 serverfiles python3-serverfiles
-service_identity python3-service-identity
-session_info python3-sinfo
+service-identity python3-service-identity
+session-info python3-sinfo
 setools python3-setools
 setoptconf python3-setoptconf
 setproctitle python3-setproctitle
-setuptools python3-pkg-resources
-setuptools_gettext python3-setuptools-gettext
-setuptools_git python3-setuptools-git
-setuptools_protobuf python3-setuptools-protobuf
-setuptools_rust python3-setuptools-rust
-setuptools_scm python3-setuptools-scm
+setuptools python3-setuptools
+setuptools-gettext python3-setuptools-gettext
+setuptools-git python3-setuptools-git
+setuptools-protobuf python3-setuptools-protobuf
+setuptools-rust python3-setuptools-rust
+setuptools-scm python3-setuptools-scm
 sexpdata python3-sexpdata
 sfepy python3-sfepy
 sgmllib3k python3-sgmllib3k
 sgp4 python3-sgp4
 sh python3-sh
-shamir_mnemonic python3-shamir-mnemonic
+shamir-mnemonic python3-shamir-mnemonic
 shapely python3-shapely
 sharkiq python3-sharkiq
 shellingham python3-shellingham
 shelxfile python3-shelxfile
 sherlock python3-sherlock
-sherlock_project sherlock
-shiboken6 libshiboken6-py3-6.8
-shiboken6_generator libshiboken6-py3-6.8
+sherlock-project sherlock
+shiboken6 libshiboken6-py3-6.9
+shiboken6-generator libshiboken6-py3-6.9
 shippinglabel python3-shippinglabel
 shodan python3-shodan
+shopifyapi python3-shopifyapi
 shortuuid python3-shortuuid
-show_in_file_manager python3-showinfilemanager
+show-in-file-manager python3-showinfilemanager
+shredder rmlint-gui
 shtab python3-shtab
 siconos python3-siconos
 sidpy python3-sidpy
 sievelib python3-sievelib
 signedjson python3-signedjson
 signxml python3-signxml
-sigstore_protobuf_specs python3-sigstore-protobuf-specs
-sigstore_rekor_types python3-sigstore-rekor-types
+sigstore-protobuf-specs python3-sigstore-protobuf-specs
+sigstore-rekor-types python3-sigstore-rekor-types
 silfont python3-silfont
 silkaj silkaj
-silver_platter silver-platter
+silver-platter silver-platter
 silx python3-silx
-simple_ccsm simple-ccsm
-simple_cdd python3-simple-cdd
-simple_websocket python3-simple-websocket
+simple-ccsm simple-ccsm
+simple-cdd python3-simple-cdd
+simple-pid python3-simple-pid
+simple-websocket python3-simple-websocket
 simplebayes python3-simplebayes
 simpleeval python3-simpleeval
 simplegeneric python3-simplegeneric
@@ -5259,36 +5308,39 @@ simplemonitor simplemonitor
 simplenote python3-simplenote
 simpleobsws python3-simpleobsws
 simplepush python3-simplepush
-simplisafe_python python3-simplisafe
-siobrultech_protocols python3-siobrultech-protocols
+simpletal python3-simpletal
+simplisafe-python python3-simplisafe
+simpy python3-simpy
+siobrultech-protocols python3-siobrultech-protocols
 sip python3-sipbuild
 siphashc python3-siphashc
 sireader python3-sireader
-siridb_connector python3-siridb-connector
+siridb-connector python3-siridb-connector
 six python3-six
 sixer sixer
-sklearn_pandas python3-sklearn-pandas
+sklearn-pandas python3-sklearn-pandas
 skorch python3-skorch
 skyfield python3-skyfield
 skytools python3-skytools
 slidge python3-slidge
+slidge-sphinx-extensions python3-slidge-sphinx-extensions
 slimit python3-slimit
 slimmer python3-slimmer
 slip10 python3-slip10
 slixmpp python3-slixmpp
-slixmpp_omemo python3-slixmpp-omemo
+slixmpp-omemo python3-slixmpp-omemo
 sluurp python3-sluurp
-smart_meter_texas python3-smart-meter-texas
-smart_open python3-smart-open
+smart-meter-texas python3-smart-meter-texas
+smart-open python3-smart-open
 smartleia python3-smartleia
 smartypants python3-smartypants
 smbmap smbmap
 smbus python3-smbus
 smbus2 python3-smbus2
 smclib python3-smclib
-smhi_pkg python3-smhi
+smhi-pkg python3-smhi
 smmap python3-smmap
-smoke_zephyr python3-smoke-zephyr
+smoke-zephyr python3-smoke-zephyr
 snakemake snakemake
 snapcast python3-snapcast
 snappergui snapper-gui
@@ -5297,25 +5349,31 @@ sniffio python3-sniffio
 sniffles sniffles
 snimpy python3-snimpy
 snitun python3-snitun
-snmp_passpersist python3-snmp-passpersist
+snmp-passpersist python3-snmp-passpersist
 snmpsim snmpsim
 snowballstemmer python3-snowballstemmer
-social_auth_app_django python3-social-django
-social_auth_core python3-social-auth-core
-socketIO_client python3-socketio-client
+social-auth-app-django python3-social-django
+social-auth-core python3-social-auth-core
+socketio-client python3-socketio-client
 socketpool python3-socketpool
 socksio python3-socksio
+socksipychain python3-socksipychain
+sodapy python3-sodapy
+softlayer python3-softlayer
 solo1 solo1-cli
-somfy_mylink_synergy python3-somfy-mylink-synergy
-sonos_websocket python3-sonos-websocket
+somfy-mylink-synergy python3-somfy-mylink-synergy
+sonata sonata
+sonos-websocket python3-sonos-websocket
 sop python3-sop
-sorl_thumbnail python3-sorl-thumbnail
-sorted_nearest python3-sorted-nearest
+sorl-thumbnail python3-sorl-thumbnail
+sorted-nearest python3-sorted-nearest
 sortedcollections python3-sortedcollections
 sortedcontainers python3-sortedcontainers
+sortxml python3-sortxml
 sos sos
 soundconverter soundconverter
-soundcraft_utils soundcraft-utils
+soundcraft-utils soundcraft-utils
+sounddevice python3-sounddevice
 soundfile python3-soundfile
 soundgrain soundgrain
 soupsieve python3-soupsieve
@@ -5324,114 +5382,127 @@ soxr python3-soxr
 spaghetti python3-spaghetti
 spake2 python3-spake2
 sparkpost python3-sparkpost
+sparqlwrapper python3-sparqlwrapper
 sparse python3-sparse
+spdx-tools python3-spdx-tools
 speaklater python3-speaklater
 specan ubertooth
 specreduce python3-specreduce
-specreduce_data python3-specreduce-data
+specreduce-data python3-specreduce-data
 spectra python3-spectra
 spectral python3-spectral
-spectral_cube python3-spectral-cube
+spectral-cube python3-spectral-cube
 specutils python3-specutils
-speechpy_fast python3-speechpy-fast
-speedtest_cli speedtest-cli
+speechpy-fast python3-speechpy-fast
+speedtest-cli speedtest-cli
 speg python3-speg
-spf_engine python3-spf-engine
+spexpy python3-spexpy
+spf-engine python3-spf-engine
 spglib python3-spglib
 sphinx python3-sphinx
-sphinx_a4doc python3-sphinx-a4doc
-sphinx_argparse python3-sphinx-argparse
-sphinx_argparse_cli python3-sphinx-argparse-cli
-sphinx_astropy python3-sphinx-astropy
-sphinx_autoapi python3-sphinx-autoapi
-sphinx_autobuild python3-sphinx-autobuild
-sphinx_autodoc2 python3-sphinx-autodoc2
-sphinx_autodoc_typehints python3-sphinx-autodoc-typehints
-sphinx_automodapi python3-sphinx-automodapi
-sphinx_autorun python3-sphinx-autorun
-sphinx_basic_ng sphinx-basic-ng
-sphinx_book_theme python3-sphinx-book-theme
-sphinx_bootstrap_theme python3-sphinx-bootstrap-theme
-sphinx_celery python3-sphinx-celery
-sphinx_click python3-sphinx-click
-sphinx_code_include python3-sphinx-code-include
-sphinx_code_tabs python3-sphinx-code-tabs
-sphinx_codeautolink python3-sphinx-codeautolink
-sphinx_contributors python3-sphinx-contributors
-sphinx_copybutton python3-sphinx-copybutton
-sphinx_design python3-sphinx-design
-sphinx_examples python3-sphinx-examples
-sphinx_external_toc python3-sphinx-external-toc
-sphinx_favicon python3-sphinx-favicon
-sphinx_feature_classification python3-sphinx-feature-classification
-sphinx_gallery python3-sphinx-gallery
-sphinx_hoverxref python3-sphinx-hoverxref
-sphinx_inline_tabs python3-sphinx-inline-tabs
-sphinx_intl sphinx-intl
-sphinx_issues python3-sphinx-issues
-sphinx_jinja python3-sphinx-jinja
-sphinx_jinja2_compat python3-sphinx-jinja2-compat
-sphinx_markdown_tables python3-sphinx-markdown-tables
-sphinx_mdinclude python3-sphinx-mdinclude
-sphinx_multiversion python3-sphinx-multiversion
-sphinx_notfound_page python3-sphinx-notfound-page
-sphinx_panels python3-sphinx-panels
-sphinx_paramlinks python3-sphinx-paramlinks
-sphinx_press_theme python3-sphinx-press-theme
-sphinx_prompt python3-sphinx-prompt
-sphinx_qt_documentation python3-sphinx-qt-documentation
-sphinx_remove_toctrees python3-sphinx-remove-toctrees
-sphinx_removed_in python3-sphinx-removed-in
-sphinx_reredirects python3-sphinx-reredirects
-sphinx_rtd_theme python3-sphinx-rtd-theme
-sphinx_sitemap python3-sphinx-sitemap
-sphinx_tabs python3-sphinx-tabs
-sphinx_testing python3-sphinx-testing
-sphinx_thebe python3-sphinx-thebe
-sphinx_theme_builder python3-sphinx-theme-builder
-sphinx_togglebutton python3-sphinx-togglebutton
-sphinx_toolbox python3-sphinx-toolbox
-sphinxcontrib_actdiag python3-sphinxcontrib.actdiag
-sphinxcontrib_apidoc python3-sphinxcontrib.apidoc
-sphinxcontrib_applehelp python3-sphinxcontrib.applehelp
-sphinxcontrib_asyncio python3-sphinxcontrib-asyncio
-sphinxcontrib_autoprogram python3-sphinxcontrib.autoprogram
-sphinxcontrib_bibtex python3-sphinxcontrib.bibtex
-sphinxcontrib_blockdiag python3-sphinxcontrib.blockdiag
-sphinxcontrib_devhelp python3-sphinxcontrib.devhelp
-sphinxcontrib_ditaa python3-sphinxcontrib.ditaa
-sphinxcontrib_django python3-sphinxcontrib.django
-sphinxcontrib_doxylink python3-sphinxcontrib.doxylink
-sphinxcontrib_github_alt python3-sphinxcontrib-github-alt
-sphinxcontrib_globalsubs python3-sphinxcontrib-globalsubs
-sphinxcontrib_googleanalytics python3-sphinxcontrib.googleanalytics
-sphinxcontrib_htmlhelp python3-sphinxcontrib.htmlhelp
-sphinxcontrib_httpdomain python3-sphinxcontrib.httpdomain
-sphinxcontrib_images python3-sphinxcontrib.images
-sphinxcontrib_jquery python3-sphinxcontrib.jquery
-sphinxcontrib_jsmath python3-sphinxcontrib.jsmath
-sphinxcontrib_log_cabinet python3-sphinxcontrib-log-cabinet
-sphinxcontrib_mermaid python3-sphinxcontrib-mermaid
-sphinxcontrib_moderncmakedomain python3-sphinxcontrib.moderncmakedomain
-sphinxcontrib_nwdiag python3-sphinxcontrib.nwdiag
-sphinxcontrib_openapi python3-sphinxcontrib.openapi
-sphinxcontrib_pecanwsme python3-sphinxcontrib-pecanwsme
-sphinxcontrib_phpdomain python3-sphinxcontrib.phpdomain
-sphinxcontrib_plantuml python3-sphinxcontrib.plantuml
-sphinxcontrib_programoutput python3-sphinxcontrib.programoutput
-sphinxcontrib_qthelp python3-sphinxcontrib.qthelp
-sphinxcontrib_restbuilder python3-sphinxcontrib.restbuilder
-sphinxcontrib_sass python3-sphinxcontrib-sass
-sphinxcontrib_seqdiag python3-sphinxcontrib.seqdiag
-sphinxcontrib_serializinghtml python3-sphinxcontrib.serializinghtml
-sphinxcontrib_spelling python3-sphinxcontrib.spelling
-sphinxcontrib_svg2pdfconverter python3-sphinxcontrib.svg2pdfconverter
-sphinxcontrib_towncrier python3-sphinxcontrib-towncrier
-sphinxcontrib_trio python3-sphinxcontrib.trio
-sphinxcontrib_websupport python3-sphinxcontrib.websupport
+sphinx-a4doc python3-sphinx-a4doc
+sphinx-argparse python3-sphinx-argparse
+sphinx-argparse-cli python3-sphinx-argparse-cli
+sphinx-astropy python3-sphinx-astropy
+sphinx-autoapi python3-sphinx-autoapi
+sphinx-autobuild python3-sphinx-autobuild
+sphinx-autodoc-typehints python3-sphinx-autodoc-typehints
+sphinx-autodoc2 python3-sphinx-autodoc2
+sphinx-automodapi python3-sphinx-automodapi
+sphinx-autorun python3-sphinx-autorun
+sphinx-basic-ng sphinx-basic-ng
+sphinx-book-theme python3-sphinx-book-theme
+sphinx-bootstrap-theme python3-sphinx-bootstrap-theme
+sphinx-celery python3-sphinx-celery
+sphinx-click python3-sphinx-click
+sphinx-code-include python3-sphinx-code-include
+sphinx-code-tabs python3-sphinx-code-tabs
+sphinx-codeautolink python3-sphinx-codeautolink
+sphinx-contributors python3-sphinx-contributors
+sphinx-copybutton python3-sphinx-copybutton
+sphinx-data-viewer python3-sphinx-data-viewer
+sphinx-design python3-sphinx-design
+sphinx-examples python3-sphinx-examples
+sphinx-external-toc python3-sphinx-external-toc
+sphinx-favicon python3-sphinx-favicon
+sphinx-feature-classification python3-sphinx-feature-classification
+sphinx-gallery python3-sphinx-gallery
+sphinx-inline-tabs python3-sphinx-inline-tabs
+sphinx-intl sphinx-intl
+sphinx-issues python3-sphinx-issues
+sphinx-jinja python3-sphinx-jinja
+sphinx-jinja2-compat python3-sphinx-jinja2-compat
+sphinx-markdown-tables python3-sphinx-markdown-tables
+sphinx-mdinclude python3-sphinx-mdinclude
+sphinx-multiversion python3-sphinx-multiversion
+sphinx-needs python3-sphinx-needs
+sphinx-notfound-page python3-sphinx-notfound-page
+sphinx-panels python3-sphinx-panels
+sphinx-paramlinks python3-sphinx-paramlinks
+sphinx-press-theme python3-sphinx-press-theme
+sphinx-prompt python3-sphinx-prompt
+sphinx-pytest python3-sphinx-pytest
+sphinx-qt-documentation python3-sphinx-qt-documentation
+sphinx-remove-toctrees python3-sphinx-remove-toctrees
+sphinx-removed-in python3-sphinx-removed-in
+sphinx-reredirects python3-sphinx-reredirects
+sphinx-rtd-theme python3-sphinx-rtd-theme
+sphinx-sitemap python3-sphinx-sitemap
+sphinx-sqlalchemy python3-sphinx-sqlalchemy
+sphinx-substitution-extensions python3-sphinx-substitution-extensions
+sphinx-tabs python3-sphinx-tabs
+sphinx-tags python3-sphinx-tags
+sphinx-testing python3-sphinx-testing
+sphinx-thebe python3-sphinx-thebe
+sphinx-theme-builder python3-sphinx-theme-builder
+sphinx-togglebutton python3-sphinx-togglebutton
+sphinx-toolbox python3-sphinx-toolbox
+sphinxcontrib-actdiag python3-sphinxcontrib.actdiag
+sphinxcontrib-apidoc python3-sphinxcontrib.apidoc
+sphinxcontrib-applehelp python3-sphinxcontrib.applehelp
+sphinxcontrib-asyncio python3-sphinxcontrib-asyncio
+sphinxcontrib-autofile python3-sphinxcontrib-autofile
+sphinxcontrib-autoprogram python3-sphinxcontrib.autoprogram
+sphinxcontrib-bibtex python3-sphinxcontrib.bibtex
+sphinxcontrib-blockdiag python3-sphinxcontrib.blockdiag
+sphinxcontrib-datatemplates python3-sphinxcontrib.datatemplates
+sphinxcontrib-devhelp python3-sphinxcontrib.devhelp
+sphinxcontrib-ditaa python3-sphinxcontrib.ditaa
+sphinxcontrib-django python3-sphinxcontrib.django
+sphinxcontrib-doxylink python3-sphinxcontrib.doxylink
+sphinxcontrib-github-alt python3-sphinxcontrib-github-alt
+sphinxcontrib-globalsubs python3-sphinxcontrib-globalsubs
+sphinxcontrib-googleanalytics python3-sphinxcontrib.googleanalytics
+sphinxcontrib-htmlhelp python3-sphinxcontrib.htmlhelp
+sphinxcontrib-httpdomain python3-sphinxcontrib.httpdomain
+sphinxcontrib-images python3-sphinxcontrib.images
+sphinxcontrib-jquery python3-sphinxcontrib.jquery
+sphinxcontrib-jsmath python3-sphinxcontrib.jsmath
+sphinxcontrib-log-cabinet python3-sphinxcontrib-log-cabinet
+sphinxcontrib-mermaid python3-sphinxcontrib-mermaid
+sphinxcontrib-moderncmakedomain python3-sphinxcontrib.moderncmakedomain
+sphinxcontrib-nwdiag python3-sphinxcontrib.nwdiag
+sphinxcontrib-openapi python3-sphinxcontrib.openapi
+sphinxcontrib-pecanwsme python3-sphinxcontrib-pecanwsme
+sphinxcontrib-phpdomain python3-sphinxcontrib.phpdomain
+sphinxcontrib-plantuml python3-sphinxcontrib.plantuml
+sphinxcontrib-programoutput python3-sphinxcontrib.programoutput
+sphinxcontrib-qthelp python3-sphinxcontrib.qthelp
+sphinxcontrib-restbuilder python3-sphinxcontrib.restbuilder
+sphinxcontrib-runcmd python3-sphinxcontrib-runcmd
+sphinxcontrib-sass python3-sphinxcontrib-sass
+sphinxcontrib-seqdiag python3-sphinxcontrib.seqdiag
+sphinxcontrib-serializinghtml python3-sphinxcontrib.serializinghtml
+sphinxcontrib-spelling python3-sphinxcontrib.spelling
+sphinxcontrib-svg2pdfconverter python3-sphinxcontrib.svg2pdfconverter
+sphinxcontrib-towncrier python3-sphinxcontrib-towncrier
+sphinxcontrib-trio python3-sphinxcontrib.trio
+sphinxcontrib-video python3-sphinxcontrib-video
+sphinxcontrib-websupport python3-sphinxcontrib.websupport
+sphinxcontrib-youtube python3-sphinxcontrib-youtube
 sphinxemoji python3-sphinxemoji
-sphinxext_opengraph python3-sphinxext-opengraph
-sphinxext_rediraffe python3-sphinxext-rediraffe
+sphinxext-opengraph python3-sphinxext-opengraph
+sphinxext-rediraffe python3-sphinxext-rediraffe
 sphinxtesters python3-sphinxtesters
 sphinxygen sphinxygen
 sphobjinv python3-sphobjinv
@@ -5444,52 +5515,60 @@ spotifyaio python3-spotifyaio
 spotipy python3-spotipy
 spur python3-spur
 spyder python3-spyder
-spyder_kernels python3-spyder-kernels
-spyder_line_profiler python3-spyder-line-profiler
-spyder_unittest python3-spyder-unittest
+spyder-kernels python3-spyder-kernels
+spyder-line-profiler python3-spyder-line-profiler
+spyder-unittest python3-spyder-unittest
 spyne python3-spyne
 spython python3-spython
 sqlacodegen sqlacodegen
+sqlalchemy python3-sqlalchemy
+sqlalchemy-i18n python3-sqlalchemy-i18n
+sqlalchemy-utc python3-sqlalchemy-utc
+sqlalchemy-utils python3-sqlalchemy-utils
 sqlfluff sqlfluff
 sqlglot python3-sqlglot
-sqlite_fts4 python3-sqlite-fts4
-sqlite_migrate python3-sqlite-migrate
-sqlite_utils sqlite-utils
+sqlite-fts4 python3-sqlite-fts4
+sqlite-migrate python3-sqlite-migrate
+sqlite-utils sqlite-utils
 sqlitedict python3-sqlitedict
 sqlmodel python3-sqlmodel
+sqlobject python3-sqlobject
 sqlparse python3-sqlparse
 sqlreduce sqlreduce
 sqt python3-sqt
+squaremap python3-squaremap
 srp python3-srp
 srptools python3-srptools
 srsly python3-srsly
 srt python3-srt
 ssdeep python3-ssdeep
 ssdpy python3-ssdpy
-sse_starlette python3-sse-starlette
-ssh_audit ssh-audit
-ssh_import_id ssh-import-id
+sse-starlette python3-sse-starlette
+ssfconv ssfconv
+ssh-audit ssh-audit
+ssh-import-id ssh-import-id
 sshoot sshoot
 sshpubkeys python3-sshpubkeys
+sshsig python3-sshsig
 sshtunnel python3-sshtunnel
 sshuttle sshuttle
-stac_check python3-stac-check
-stac_validator python3-stac-validator
-stack_data python3-stack-data
+stac-check python3-stac-check
+stac-validator python3-stac-validator
+stack-data python3-stack-data
 stackview python3-stackview
 stactools python3-stactools
-standard_aifc python3-standard-aifc
-standard_asynchat python3-standard-asynchat
-standard_chunk python3-standard-chunk
-standard_imghdr python3-standard-imghdr
-standard_mailcap python3-standard-mailcap
-standard_nntplib python3-standard-nntplib
-standard_pipes python3-standard-pipes
-standard_smtpd python3-standard-smtpd
-standard_sndhdr python3-standard-sndhdr
-standard_sunau python3-standard-sunau
-standard_uu python3-standard-uu
-standard_xdrlib python3-standard-xdrlib
+standard-aifc python3-standard-aifc
+standard-asynchat python3-standard-asynchat
+standard-chunk python3-standard-chunk
+standard-imghdr python3-standard-imghdr
+standard-mailcap python3-standard-mailcap
+standard-nntplib python3-standard-nntplib
+standard-pipes python3-standard-pipes
+standard-smtpd python3-standard-smtpd
+standard-sndhdr python3-standard-sndhdr
+standard-sunau python3-standard-sunau
+standard-uu python3-standard-uu
+standard-xdrlib python3-standard-xdrlib
 stardicter python3-stardicter
 starlette python3-starlette
 starline python3-starline
@@ -5499,109 +5578,118 @@ statmake python3-statmake
 statsd python3-statsd
 statsmodels python3-statsmodels
 stdeb python3-stdeb
-stdio_mgr python3-stdio-mgr
-stdlib_list python3-stdlib-list
+stdio-mgr python3-stdio-mgr
+stdlib-list python3-stdlib-list
+steamodd python3-steamodd
 stegcracker stegcracker
 stem python3-stem
 stepic stepic
 stestr python3-stestr
+stetl python3-stetl
 stevedore python3-stevedore
 stgit stgit
-stomp.py python3-stomp
+stomp-py python3-stomp
 stomper python3-stomper
 stone python3-stone
 stookalert python3-stookalert
 stookwijzer python3-stookwijzer
 stopit python3-stopit
 storm python3-storm
-straight.plugin python3-straight.plugin
-stream_zip python3-stream-zip
+straight-plugin python3-straight.plugin
+strawberry-graphql strawberry-graphql
+strawberry-graphql-django strawberry-graphql-django
 streamdeck python3-elgato-streamdeck
-streamdeck_ui streamdeck-ui
+streamdeck-ui streamdeck-ui
 streamlink python3-streamlink
 streamz python3-streamz
 stressant stressant
-strict_rfc3339 python3-strict-rfc3339
+strict-rfc3339 python3-strict-rfc3339
 strictyaml python3-strictyaml
+stringcase python3-stringcase
 stripe python3-stripe
 striprtf python3-striprtf
 structlog python3-structlog
-stsci.tools python3-stsci.tools
+stsci-tools python3-stsci.tools
 stubserver python3-stubserver
 subdownloader subdownloader
-sublime_music sublime-music
+sublime-music sublime-music
 subliminal python3-subliminal
-subprocess_tee python3-subprocess-tee
+sublist3r sublist3r
+subprocess-tee python3-subprocess-tee
 subuser subuser
-suds_community python3-suds
-suitesparse_graphblas python3-suitesparse-graphblas
+suds-community python3-suds
+suitesparse-graphblas python3-suitesparse-graphblas
 sumolib sumo
 sunpy python3-sunpy
-sunpy_sphinx_theme python3-sunpy-sphinx-theme
+sunpy-sphinx-theme python3-sunpy-sphinx-theme
 suntime python3-suntime
 sunweg python3-sunweg
-super_collections python3-super-collections
+super-collections python3-super-collections
 superqt python3-superqt
 supervisor supervisor
+supysonic supysonic
 sure python3-sure
 surepy python3-surepy
-suricata_update suricata-update
+suricata-update suricata-update
 surpyvor surpyvor
 sushy python3-sushy
-sushy_cli python3-sushy-cli
-sushy_oem_idrac python3-sushy-oem-idrac
-svg.path python3-svg.path
+sushy-cli python3-sushy-cli
+svg-path python3-svg.path
 svgelements python3-svgelements
 svglib python3-svglib
 svgwrite python3-svgwrite
 svim svim
-swagger_spec_validator python3-swagger-spec-validator
+swagger-spec-validator python3-swagger-spec-validator
 swapper python3-django-swapper
 swift python3-swift
-swift_bench swift-bench
-swift_tools swift-tools
+swift-bench swift-bench
+swift-tools swift-tools
 swiglpk python3-swiglpk
-switchbot_api python3-switchbot-api
+switchbot-api python3-switchbot-api
 sword python3-sword
 swugenerator swugenerator
 sybil python3-sybil
-symfit python3-symfit
+symfc python3-symfc
 symmetrize python3-symmetrize
 sympy python3-sympy
 synadm synadm
 syncplay syncplay-common
-syncthing_gtk syncthing-gtk
+syncthing-gtk syncthing-gtk
 synphot python3-synphot
 syrupy python3-syrupy
 systembridgemodels python3-systembridgemodels
-systemd_python python3-systemd
+systemd-python python3-systemd
 systemfixtures python3-systemfixtures
-sysv_ipc python3-sysv-ipc
+sysv-ipc python3-sysv-ipc
 tabledata python3-tabledata
 tables python3-tables
 tablib python3-tablib
 tabulate python3-tabulate
 tagpy python3-tagpy
 tailscale python3-tailscale
-tap_as_a_service python3-neutron-taas
-tap_py python3-tap
+tap-as-a-service python3-neutron-taas
+tap-py python3-tap
+targetcli targetcli-fb
 taskflow python3-taskflow
 taskipy python3-taskipy
 tasklib python3-tasklib
 taskw python3-taskw
+tatsu python3-tatsu-lts
 taurus python3-taurus
-taurus_pyqtgraph python3-taurus-pyqtgraph
+taurus-pyqtgraph python3-taurus-pyqtgraph
 tblib python3-tblib
 tcolorpy python3-tcolorpy
-telegram_send telegram-send
-telemetry_tempest_plugin telemetry-tempest-plugin
+telegram-send telegram-send
+telemetry-tempest-plugin telemetry-tempest-plugin
+telethon python3-telethon
 telnetlib python3-zombie-telnetlib
 temperusb python3-temperusb
 tempest python3-tempest
-tempest_horizon horizon-tempest-plugin
+tempest-horizon horizon-tempest-plugin
+tempita python3-tempita
 tempora python3-tempora
 tenacity python3-tenacity
-term_image python3-term-image
+term-image python3-term-image
 termbox python3-termbox
 termcolor python3-termcolor
 terminado python3-terminado
@@ -5610,374 +5698,393 @@ terminaltables3 python3-terminaltables3
 terminaltexteffects python3-terminaltexteffects
 terminator terminator
 termineter termineter
-tesla_powerwall python3-tesla-powerwall
-tesla_wall_connector python3-tesla-wall-connector
+tesla-powerwall python3-tesla-powerwall
+tesla-wall-connector python3-tesla-wall-connector
 tesserocr python3-tesserocr
-tessie_api python3-tessie-api
-test_server python3-test-server
-test_stages python3-test-stages
-test_tunnel python3-test-tunnel
+tessie-api python3-tessie-api
+test-server python3-test-server
+test-stages python3-test-stages
+test-tunnel python3-test-tunnel
 testbook python3-testbook
 testfixtures python3-testfixtures
-testing.common.database python3-testing.common.database
-testing.postgresql python3-testing.postgresql
+testing-common-database python3-testing.common.database
+testing-postgresql python3-testing.postgresql
 testpath python3-testpath
 testrepository python3-testrepository
 testresources python3-testresources
 testscenarios python3-testscenarios
 testtools python3-testtools
 texext python3-texext
-text_unidecode python3-text-unidecode
+text-unidecode python3-text-unidecode
 textdistance python3-textdistance
 textfsm python3-textfsm
 textile python3-textile
 texttable python3-texttable
 textual python3-textual
-textual_fastdatatable python3-textual-fastdatatable
-textual_textarea python3-textual-textarea
+textual-autocomplete python3-textual-autocomplete
+textual-fastdatatable python3-textual-fastdatatable
+textual-textarea python3-textual-textarea
 tf python3-tf
-tf2_geometry_msgs python3-tf2-geometry-msgs
-tf2_kdl python3-tf2-kdl
-tf2_py python3-tf2
-tf2_ros python3-tf2-ros
-tf2_sensor_msgs python3-tf2-sensor-msgs
-tf_conversions python3-tf-conversions
+tf-conversions python3-tf-conversions
+tf2-geometry-msgs python3-tf2-geometry-msgs
+tf2-kdl python3-tf2-kdl
+tf2-py python3-tf2
+tf2-ros python3-tf2-ros
+tf2-sensor-msgs python3-tf2-sensor-msgs
 thefuzz python3-thefuzz
-thermobeacon_ble python3-thermobeacon-ble
-thermopro_ble python3-thermopro-ble
+thermobeacon-ble python3-thermobeacon-ble
+thermopro-ble python3-thermopro-ble
 thinc python3-thinc
 thonny thonny
 threadloop python3-threadloop
 threadpoolctl python3-threadpoolctl
-three_merge python3-three-merge
+three-merge python3-three-merge
 thrift python3-thrift
 throttler python3-throttler
-thumbhash_py python3-thumbhash
-thumbor_plugins_gifv python3-thumbor-plugins-gifv
+thumbhash-py python3-thumbhash
+thumbor thumbor
+thumbor-plugins-gifv python3-thumbor-plugins-gifv
 tiddit tiddit
+tiered-debug python3-tiered-debug
 tifffile python3-tifffile
 tiktoken python3-tiktoken
-tilt_ble python3-tilt-ble
-time_decode time-decode
-time_machine python3-time-machine
+tilt-ble python3-tilt-ble
+tilt-pi python3-tilt-pi
+time-decode time-decode
+time-machine python3-time-machine
 timeline python3-timeline
-timeout_decorator python3-timeout-decorator
-tina_mgr python3-tina-mgr
-tiny_proxy python3-tiny-proxy
+timeout-decorator python3-timeout-decorator
+tina-mgr python3-tina-mgr
+tiny-proxy python3-tiny-proxy
 tinyalign python3-tinyalign
 tinyarray python3-tinyarray
-tinycss python3-tinycss
 tinycss2 python3-tinycss2
 tinydb python3-tinydb
 tinyobjloader python3-tinyobjloader
 tinyrpc python3-tinyrpc
 tipp tipp
 titlecase python3-titlecase
-tkSnack python3-tksnack
 tkcalendar tkcalendar
-tkinter_tooltip python3-tktooltip
+tkinter-tooltip python3-tktooltip
+tkintertreectrl python3-tktreectrl
 tkrzw python3-tkrzw
 tksheet python3-tksheet
+tksnack python3-tksnack
 tld python3-tld
 tldextract python3-tldextract
-tldr.py tldr-py
+tldr-py tldr-py
 tlsh python3-tlsh
 tlv8 python3-tlv8
 tmdbsimple python3-tmdbsimple
 tmuxp python3-tmuxp
-todo_txt_base todo.txt-base
-todo_txt_gtd todo.txt-gtd
-todoist_api_python python3-todoist-api-python
+todo-txt-base todo.txt-base
+todo-txt-gtd todo.txt-gtd
+todoist-api-python python3-todoist-api-python
 todoman todoman
 toil toil
-tokenize_rt python3-tokenize-rt
+tokenize-rt python3-tokenize-rt
 toml python3-toml
 tomli python3-tomli
-tomli_w python3-tomli-w
+tomli-w python3-tomli-w
 tomlkit python3-tomlkit
-tomogui python3-tomogui
 tomoscan python3-tomoscan
 tomwer python3-tomwer
 toolz python3-toolz
 toonapi python3-toonapi
 toot toot
 tooz python3-tooz
-topic_tools python3-topic-tools
+topic-tools python3-topic-tools
 toposort python3-toposort
 topplot python3-topplot
 torch python3-torch
-torch_cluster python3-torch-cluster
-torch_geometric python3-torch-geometric
-torch_scatter python3-torch-scatter
-torch_sparse python3-torch-sparse
+torch-cluster python3-torch-cluster
+torch-geometric python3-torch-geometric
+torch-scatter python3-torch-scatter
+torch-sparse python3-torch-sparse
 torchaudio python3-torchaudio
 torchvision python3-torchvision
 tornado python3-tornado
 toro python3-toro
 torrequest python3-torrequest
 tortoisehg tortoisehg
-tosca_parser python3-tosca-parser
+tosca-parser python3-tosca-parser
 totalopenstation totalopenstation
 towncrier towncrier
 tox tox
-tox_current_env tox-current-env
-tox_uv tox-uv
-tplink_omada_client python3-tplink-omada-client
-tpm2_pkcs11_tools python3-tpm2-pkcs11-tools
-tpm2_pytss python3-tpm2-pytss
+tox-current-env tox-current-env
+tox-uv tox-uv
+tplink-omada-client python3-tplink-omada-client
+tpm2-pkcs11-tools python3-tpm2-pkcs11-tools
+tpm2-pytss python3-tpm2-pytss
 tqdm python3-tqdm
+trac trac
+tracaccountmanager trac-accountmanager
+traccustomfieldadmin trac-customfieldadmin
+trachttpauth trac-httpauth
 traci sumo
-trafficserver_exporter prometheus-trafficserver-exporter
+tracsubcomponents trac-subcomponents
+tractickettemplate trac-tickettemplate
+tracwikiprint trac-wikiprint
+tracwysiwyg trac-wysiwyg
+tracxmlrpc trac-xmlrpc
+trafficserver-exporter prometheus-trafficserver-exporter
 traitlets python3-traitlets
 traits python3-traits
 traitsui python3-traitsui
 traittypes python3-traittypes
+trame python3-trame
+trame-client python3-trame-client
+trame-common python3-trame-common
+trame-server python3-trame-server
 transaction python3-transaction
 transforms3d python3-transforms3d
 transip python3-transip
 transit1 tnseq-transit
 transitions python3-transitions
-translate_toolkit python3-translate
-translation_finder python3-translation-finder
+translate-toolkit python3-translate
+translation-finder python3-translation-finder
 translationstring python3-translationstring
 translitcodec python3-translitcodec
 transliterate python3-transliterate
-transmission_rpc python3-transmission-rpc
-trash_cli trash-cli
+transmission-rpc python3-transmission-rpc
+trash-cli trash-cli
 traxtor tractor
-tree_sitter_sdml python3-tree-sitter-sdml
+tree-sitter-sdml python3-tree-sitter-sdml
 treelib python3-treelib
 treq python3-treq
 trezor python3-trezor
 trimage trimage
 trimesh python3-trimesh
 trio python3-trio
-trio_websocket python3-trio-websocket
+trio-websocket python3-trio-websocket
 trml2pdf python3-trml2pdf
 trollimage python3-trollimage
 trollsift python3-trollsift
+trololio python3-trololio
 trove python3-trove
-trove_classifiers python3-trove-classifiers
-trove_dashboard python3-trove-dashboard
-trove_tempest_plugin trove-tempest-plugin
+trove-classifiers python3-trove-classifiers
+trove-dashboard python3-trove-dashboard
+trove-tempest-plugin trove-tempest-plugin
 trubar python3-trubar
 trufont python3-trufont
 truncnorm python3-truncnorm
 trustme python3-trustme
 truststore python3-truststore
-trx_python python3-trx-python
+trx-python python3-trx-python
 trydiffoscope trydiffoscope
 tryton tryton-client
 trytond tryton-server
-trytond_account tryton-modules-account
-trytond_account_asset tryton-modules-account-asset
-trytond_account_be tryton-modules-account-be
-trytond_account_budget tryton-modules-account-budget
-trytond_account_cash_rounding tryton-modules-account-cash-rounding
-trytond_account_consolidation tryton-modules-account-consolidation
-trytond_account_credit_limit tryton-modules-account-credit-limit
-trytond_account_de_skr03 tryton-modules-account-de-skr03
-trytond_account_deposit tryton-modules-account-deposit
-trytond_account_dunning tryton-modules-account-dunning
-trytond_account_dunning_email tryton-modules-account-dunning-email
-trytond_account_dunning_fee tryton-modules-account-dunning-fee
-trytond_account_dunning_letter tryton-modules-account-dunning-letter
-trytond_account_es tryton-modules-account-es
-trytond_account_es_sii tryton-modules-account-es-sii
-trytond_account_eu tryton-modules-account-eu
-trytond_account_fr tryton-modules-account-fr
-trytond_account_fr_chorus tryton-modules-account-fr-chorus
-trytond_account_invoice tryton-modules-account-invoice
-trytond_account_invoice_correction tryton-modules-account-invoice-correction
-trytond_account_invoice_defer tryton-modules-account-invoice-defer
-trytond_account_invoice_history tryton-modules-account-invoice-history
-trytond_account_invoice_line_standalone tryton-modules-account-invoice-line-standalone
-trytond_account_invoice_secondary_unit tryton-modules-account-invoice-secondary-unit
-trytond_account_invoice_stock tryton-modules-account-invoice-stock
-trytond_account_invoice_watermark tryton-modules-account-invoice-watermark
-trytond_account_move_line_grouping tryton-modules-account-move-line-grouping
-trytond_account_payment tryton-modules-account-payment
-trytond_account_payment_braintree tryton-modules-account-payment-braintree
-trytond_account_payment_clearing tryton-modules-account-payment-clearing
-trytond_account_payment_sepa tryton-modules-account-payment-sepa
-trytond_account_payment_sepa_cfonb tryton-modules-account-payment-sepa-cfonb
-trytond_account_payment_stripe tryton-modules-account-payment-stripe
-trytond_account_product tryton-modules-account-product
-trytond_account_receivable_rule tryton-modules-account-receivable-rule
-trytond_account_rule tryton-modules-account-rule
-trytond_account_statement tryton-modules-account-statement
-trytond_account_statement_aeb43 tryton-modules-account-statement-aeb43
-trytond_account_statement_coda tryton-modules-account-statement-coda
-trytond_account_statement_mt940 tryton-modules-account-statement-mt940
-trytond_account_statement_ofx tryton-modules-account-statement-ofx
-trytond_account_statement_rule tryton-modules-account-statement-rule
-trytond_account_statement_sepa tryton-modules-account-statement-sepa
-trytond_account_stock_anglo_saxon tryton-modules-account-stock-anglo-saxon
-trytond_account_stock_continental tryton-modules-account-stock-continental
-trytond_account_stock_eu tryton-modules-account-stock-eu
-trytond_account_stock_landed_cost tryton-modules-account-stock-landed-cost
-trytond_account_stock_landed_cost_weight tryton-modules-account-stock-landed-cost-weight
-trytond_account_stock_shipment_cost tryton-modules-account-stock-shipment-cost
-trytond_account_stock_shipment_cost_weight tryton-modules-account-stock-shipment-cost-weight
-trytond_account_tax_cash tryton-modules-account-tax-cash
-trytond_account_tax_non_deductible tryton-modules-account-tax-non-deductible
-trytond_account_tax_rule_country tryton-modules-account-tax-rule-country
-trytond_analytic_account tryton-modules-analytic-account
-trytond_analytic_budget tryton-modules-analytic-budget
-trytond_analytic_invoice tryton-modules-analytic-invoice
-trytond_analytic_purchase tryton-modules-analytic-purchase
-trytond_analytic_sale tryton-modules-analytic-sale
-trytond_attendance tryton-modules-attendance
-trytond_authentication_saml tryton-modules-authentication-saml
-trytond_authentication_sms tryton-modules-authentication-sms
-trytond_bank tryton-modules-bank
-trytond_carrier tryton-modules-carrier
-trytond_carrier_carriage tryton-modules-carrier-carriage
-trytond_carrier_percentage tryton-modules-carrier-percentage
-trytond_carrier_subdivision tryton-modules-carrier-subdivision
-trytond_carrier_weight tryton-modules-carrier-weight
-trytond_commission tryton-modules-commission
-trytond_commission_waiting tryton-modules-commission-waiting
-trytond_company tryton-modules-company
-trytond_company_work_time tryton-modules-company-work-time
-trytond_country tryton-modules-country
-trytond_currency tryton-modules-currency
-trytond_currency_ro tryton-modules-currency-ro
-trytond_currency_rs tryton-modules-currency-rs
-trytond_customs tryton-modules-customs
-trytond_dashboard tryton-modules-dashboard
-trytond_document_incoming tryton-modules-document-incoming
-trytond_document_incoming_invoice tryton-modules-document-incoming-invoice
-trytond_document_incoming_ocr tryton-modules-document-incoming-ocr
-trytond_document_incoming_ocr_typless tryton-modules-document-incoming-ocr-typless
-trytond_edocument_uncefact tryton-modules-edocument-uncefact
-trytond_edocument_unece tryton-modules-edocument-unece
-trytond_google_maps tryton-modules-google-maps
-trytond_inbound_email tryton-modules-inbound-email
-trytond_incoterm tryton-modules-incoterm
-trytond_ldap_authentication tryton-modules-ldap-authentication
-trytond_marketing tryton-modules-marketing
-trytond_marketing_automation tryton-modules-marketing-automation
-trytond_marketing_campaign tryton-modules-marketing-campaign
-trytond_marketing_email tryton-modules-marketing-email
-trytond_notification_email tryton-modules-notification-email
-trytond_party tryton-modules-party
-trytond_party_avatar tryton-modules-party-avatar
-trytond_party_relationship tryton-modules-party-relationship
-trytond_party_siret tryton-modules-party-siret
-trytond_product tryton-modules-product
-trytond_product_attribute tryton-modules-product-attribute
-trytond_product_classification tryton-modules-product-classification
-trytond_product_classification_taxonomic tryton-modules-product-classification-taxonomic
-trytond_product_cost_fifo tryton-modules-product-cost-fifo
-trytond_product_cost_history tryton-modules-product-cost-history
-trytond_product_cost_warehouse tryton-modules-product-cost-warehouse
-trytond_product_image tryton-modules-product-image
-trytond_product_image_attribute tryton-modules-product-image-attribute
-trytond_product_kit tryton-modules-product-kit
-trytond_product_measurements tryton-modules-product-measurements
-trytond_product_price_list tryton-modules-product-price-list
-trytond_product_price_list_cache tryton-modules-product-price-list-cache
-trytond_product_price_list_dates tryton-modules-product-price-list-dates
-trytond_product_price_list_parent tryton-modules-product-price-list-parent
-trytond_production tryton-modules-production
-trytond_production_outsourcing tryton-modules-production-outsourcing
-trytond_production_routing tryton-modules-production-routing
-trytond_production_split tryton-modules-production-split
-trytond_production_work tryton-modules-production-work
-trytond_production_work_timesheet tryton-modules-production-work-timesheet
-trytond_project tryton-modules-project
-trytond_project_invoice tryton-modules-project-invoice
-trytond_project_plan tryton-modules-project-plan
-trytond_project_revenue tryton-modules-project-revenue
-trytond_purchase tryton-modules-purchase
-trytond_purchase_amendment tryton-modules-purchase-amendment
-trytond_purchase_blanket_agreement tryton-modules-purchase-blanket-agreement
-trytond_purchase_history tryton-modules-purchase-history
-trytond_purchase_invoice_line_standalone tryton-modules-purchase-invoice-line-standalone
-trytond_purchase_price_list tryton-modules-purchase-price-list
-trytond_purchase_product_quantity tryton-modules-purchase-product-quantity
-trytond_purchase_request tryton-modules-purchase-request
-trytond_purchase_request_quotation tryton-modules-purchase-request-quotation
-trytond_purchase_requisition tryton-modules-purchase-requisition
-trytond_purchase_secondary_unit tryton-modules-purchase-secondary-unit
-trytond_purchase_shipment_cost tryton-modules-purchase-shipment-cost
-trytond_quality tryton-modules-quality
-trytond_sale tryton-modules-sale
-trytond_sale_advance_payment tryton-modules-sale-advance-payment
-trytond_sale_amendment tryton-modules-sale-amendment
-trytond_sale_blanket_agreement tryton-modules-sale-blanket-agreement
-trytond_sale_complaint tryton-modules-sale-complaint
-trytond_sale_credit_limit tryton-modules-sale-credit-limit
-trytond_sale_discount tryton-modules-sale-discount
-trytond_sale_extra tryton-modules-sale-extra
-trytond_sale_gift_card tryton-modules-sale-gift-card
-trytond_sale_history tryton-modules-sale-history
-trytond_sale_invoice_date tryton-modules-sale-invoice-date
-trytond_sale_invoice_grouping tryton-modules-sale-invoice-grouping
-trytond_sale_opportunity tryton-modules-sale-opportunity
-trytond_sale_payment tryton-modules-sale-payment
-trytond_sale_point tryton-modules-sale-point
-trytond_sale_price_list tryton-modules-sale-price-list
-trytond_sale_product_customer tryton-modules-sale-product-customer
-trytond_sale_product_quantity tryton-modules-sale-product-quantity
-trytond_sale_product_recommendation tryton-modules-sale-product-recommendation
-trytond_sale_product_recommendation_association_rule tryton-modules-sale-product-recommendation-association-rule
-trytond_sale_promotion tryton-modules-sale-promotion
-trytond_sale_promotion_coupon tryton-modules-sale-promotion-coupon
-trytond_sale_promotion_coupon_payment tryton-modules-sale-promotion-coupon-payment
-trytond_sale_secondary_unit tryton-modules-sale-secondary-unit
-trytond_sale_shipment_cost tryton-modules-sale-shipment-cost
-trytond_sale_shipment_grouping tryton-modules-sale-shipment-grouping
-trytond_sale_shipment_tolerance tryton-modules-sale-shipment-tolerance
-trytond_sale_stock_quantity tryton-modules-sale-stock-quantity
-trytond_sale_subscription tryton-modules-sale-subscription
-trytond_sale_subscription_asset tryton-modules-sale-subscription-asset
-trytond_sale_supply tryton-modules-sale-supply
-trytond_sale_supply_drop_shipment tryton-modules-sale-supply-drop-shipment
-trytond_sale_supply_production tryton-modules-sale-supply-production
-trytond_stock tryton-modules-stock
-trytond_stock_assign_manual tryton-modules-stock-assign-manual
-trytond_stock_consignment tryton-modules-stock-consignment
-trytond_stock_forecast tryton-modules-stock-forecast
-trytond_stock_inventory_location tryton-modules-stock-inventory-location
-trytond_stock_location_move tryton-modules-stock-location-move
-trytond_stock_location_sequence tryton-modules-stock-location-sequence
-trytond_stock_lot tryton-modules-stock-lot
-trytond_stock_lot_sled tryton-modules-stock-lot-sled
-trytond_stock_lot_unit tryton-modules-stock-lot-unit
-trytond_stock_package tryton-modules-stock-package
-trytond_stock_package_shipping tryton-modules-stock-package-shipping
-trytond_stock_package_shipping_dpd tryton-modules-stock-package-shipping-dpd
-trytond_stock_package_shipping_mygls tryton-modules-stock-package-shipping-mygls
-trytond_stock_package_shipping_sendcloud tryton-modules-stock-package-shipping-sendcloud
-trytond_stock_package_shipping_ups tryton-modules-stock-package-shipping-ups
-trytond_stock_product_location tryton-modules-stock-product-location
-trytond_stock_quantity_early_planning tryton-modules-stock-quantity-early-planning
-trytond_stock_quantity_issue tryton-modules-stock-quantity-issue
-trytond_stock_secondary_unit tryton-modules-stock-secondary-unit
-trytond_stock_shipment_cost tryton-modules-stock-shipment-cost
-trytond_stock_shipment_cost_weight tryton-modules-stock-shipment-cost-weight
-trytond_stock_shipment_measurements tryton-modules-stock-shipment-measurements
-trytond_stock_split tryton-modules-stock-split
-trytond_stock_supply tryton-modules-stock-supply
-trytond_stock_supply_day tryton-modules-stock-supply-day
-trytond_stock_supply_forecast tryton-modules-stock-supply-forecast
-trytond_stock_supply_production tryton-modules-stock-supply-production
-trytond_timesheet tryton-modules-timesheet
-trytond_timesheet_cost tryton-modules-timesheet-cost
-trytond_user_role tryton-modules-user-role
-trytond_web_shop tryton-modules-web-shop
-trytond_web_shop_shopify tryton-modules-web-shop-shopify
-trytond_web_shop_vue_storefront tryton-modules-web-shop-vue-storefront
-trytond_web_shop_vue_storefront_stripe tryton-modules-web-shop-vue-storefront-stripe
-trytond_web_shortener tryton-modules-web-shortener
-trytond_web_user tryton-modules-web-user
+trytond-account tryton-modules-account
+trytond-account-asset tryton-modules-account-asset
+trytond-account-be tryton-modules-account-be
+trytond-account-budget tryton-modules-account-budget
+trytond-account-cash-rounding tryton-modules-account-cash-rounding
+trytond-account-consolidation tryton-modules-account-consolidation
+trytond-account-credit-limit tryton-modules-account-credit-limit
+trytond-account-de-skr03 tryton-modules-account-de-skr03
+trytond-account-deposit tryton-modules-account-deposit
+trytond-account-dunning tryton-modules-account-dunning
+trytond-account-dunning-email tryton-modules-account-dunning-email
+trytond-account-dunning-fee tryton-modules-account-dunning-fee
+trytond-account-dunning-letter tryton-modules-account-dunning-letter
+trytond-account-es tryton-modules-account-es
+trytond-account-es-sii tryton-modules-account-es-sii
+trytond-account-eu tryton-modules-account-eu
+trytond-account-fr tryton-modules-account-fr
+trytond-account-fr-chorus tryton-modules-account-fr-chorus
+trytond-account-invoice tryton-modules-account-invoice
+trytond-account-invoice-correction tryton-modules-account-invoice-correction
+trytond-account-invoice-defer tryton-modules-account-invoice-defer
+trytond-account-invoice-history tryton-modules-account-invoice-history
+trytond-account-invoice-line-standalone tryton-modules-account-invoice-line-standalone
+trytond-account-invoice-secondary-unit tryton-modules-account-invoice-secondary-unit
+trytond-account-invoice-stock tryton-modules-account-invoice-stock
+trytond-account-invoice-watermark tryton-modules-account-invoice-watermark
+trytond-account-move-line-grouping tryton-modules-account-move-line-grouping
+trytond-account-payment tryton-modules-account-payment
+trytond-account-payment-braintree tryton-modules-account-payment-braintree
+trytond-account-payment-clearing tryton-modules-account-payment-clearing
+trytond-account-payment-sepa tryton-modules-account-payment-sepa
+trytond-account-payment-sepa-cfonb tryton-modules-account-payment-sepa-cfonb
+trytond-account-payment-stripe tryton-modules-account-payment-stripe
+trytond-account-product tryton-modules-account-product
+trytond-account-receivable-rule tryton-modules-account-receivable-rule
+trytond-account-rule tryton-modules-account-rule
+trytond-account-statement tryton-modules-account-statement
+trytond-account-statement-aeb43 tryton-modules-account-statement-aeb43
+trytond-account-statement-coda tryton-modules-account-statement-coda
+trytond-account-statement-mt940 tryton-modules-account-statement-mt940
+trytond-account-statement-ofx tryton-modules-account-statement-ofx
+trytond-account-statement-rule tryton-modules-account-statement-rule
+trytond-account-statement-sepa tryton-modules-account-statement-sepa
+trytond-account-stock-anglo-saxon tryton-modules-account-stock-anglo-saxon
+trytond-account-stock-continental tryton-modules-account-stock-continental
+trytond-account-stock-eu tryton-modules-account-stock-eu
+trytond-account-stock-landed-cost tryton-modules-account-stock-landed-cost
+trytond-account-stock-landed-cost-weight tryton-modules-account-stock-landed-cost-weight
+trytond-account-stock-shipment-cost tryton-modules-account-stock-shipment-cost
+trytond-account-stock-shipment-cost-weight tryton-modules-account-stock-shipment-cost-weight
+trytond-account-tax-cash tryton-modules-account-tax-cash
+trytond-account-tax-non-deductible tryton-modules-account-tax-non-deductible
+trytond-account-tax-rule-country tryton-modules-account-tax-rule-country
+trytond-analytic-account tryton-modules-analytic-account
+trytond-analytic-budget tryton-modules-analytic-budget
+trytond-analytic-invoice tryton-modules-analytic-invoice
+trytond-analytic-purchase tryton-modules-analytic-purchase
+trytond-analytic-sale tryton-modules-analytic-sale
+trytond-attendance tryton-modules-attendance
+trytond-authentication-saml tryton-modules-authentication-saml
+trytond-authentication-sms tryton-modules-authentication-sms
+trytond-bank tryton-modules-bank
+trytond-carrier tryton-modules-carrier
+trytond-carrier-carriage tryton-modules-carrier-carriage
+trytond-carrier-percentage tryton-modules-carrier-percentage
+trytond-carrier-subdivision tryton-modules-carrier-subdivision
+trytond-carrier-weight tryton-modules-carrier-weight
+trytond-commission tryton-modules-commission
+trytond-commission-waiting tryton-modules-commission-waiting
+trytond-company tryton-modules-company
+trytond-company-work-time tryton-modules-company-work-time
+trytond-country tryton-modules-country
+trytond-currency tryton-modules-currency
+trytond-currency-ro tryton-modules-currency-ro
+trytond-currency-rs tryton-modules-currency-rs
+trytond-customs tryton-modules-customs
+trytond-dashboard tryton-modules-dashboard
+trytond-document-incoming tryton-modules-document-incoming
+trytond-document-incoming-invoice tryton-modules-document-incoming-invoice
+trytond-document-incoming-ocr tryton-modules-document-incoming-ocr
+trytond-document-incoming-ocr-typless tryton-modules-document-incoming-ocr-typless
+trytond-edocument-uncefact tryton-modules-edocument-uncefact
+trytond-edocument-unece tryton-modules-edocument-unece
+trytond-google-maps tryton-modules-google-maps
+trytond-inbound-email tryton-modules-inbound-email
+trytond-incoterm tryton-modules-incoterm
+trytond-ldap-authentication tryton-modules-ldap-authentication
+trytond-marketing tryton-modules-marketing
+trytond-marketing-automation tryton-modules-marketing-automation
+trytond-marketing-campaign tryton-modules-marketing-campaign
+trytond-marketing-email tryton-modules-marketing-email
+trytond-notification-email tryton-modules-notification-email
+trytond-party tryton-modules-party
+trytond-party-avatar tryton-modules-party-avatar
+trytond-party-relationship tryton-modules-party-relationship
+trytond-party-siret tryton-modules-party-siret
+trytond-product tryton-modules-product
+trytond-product-attribute tryton-modules-product-attribute
+trytond-product-classification tryton-modules-product-classification
+trytond-product-classification-taxonomic tryton-modules-product-classification-taxonomic
+trytond-product-cost-fifo tryton-modules-product-cost-fifo
+trytond-product-cost-history tryton-modules-product-cost-history
+trytond-product-cost-warehouse tryton-modules-product-cost-warehouse
+trytond-product-image tryton-modules-product-image
+trytond-product-image-attribute tryton-modules-product-image-attribute
+trytond-product-kit tryton-modules-product-kit
+trytond-product-measurements tryton-modules-product-measurements
+trytond-product-price-list tryton-modules-product-price-list
+trytond-product-price-list-cache tryton-modules-product-price-list-cache
+trytond-product-price-list-dates tryton-modules-product-price-list-dates
+trytond-product-price-list-parent tryton-modules-product-price-list-parent
+trytond-production tryton-modules-production
+trytond-production-outsourcing tryton-modules-production-outsourcing
+trytond-production-routing tryton-modules-production-routing
+trytond-production-split tryton-modules-production-split
+trytond-production-work tryton-modules-production-work
+trytond-production-work-timesheet tryton-modules-production-work-timesheet
+trytond-project tryton-modules-project
+trytond-project-invoice tryton-modules-project-invoice
+trytond-project-plan tryton-modules-project-plan
+trytond-project-revenue tryton-modules-project-revenue
+trytond-purchase tryton-modules-purchase
+trytond-purchase-amendment tryton-modules-purchase-amendment
+trytond-purchase-blanket-agreement tryton-modules-purchase-blanket-agreement
+trytond-purchase-history tryton-modules-purchase-history
+trytond-purchase-invoice-line-standalone tryton-modules-purchase-invoice-line-standalone
+trytond-purchase-price-list tryton-modules-purchase-price-list
+trytond-purchase-product-quantity tryton-modules-purchase-product-quantity
+trytond-purchase-request tryton-modules-purchase-request
+trytond-purchase-request-quotation tryton-modules-purchase-request-quotation
+trytond-purchase-requisition tryton-modules-purchase-requisition
+trytond-purchase-secondary-unit tryton-modules-purchase-secondary-unit
+trytond-purchase-shipment-cost tryton-modules-purchase-shipment-cost
+trytond-quality tryton-modules-quality
+trytond-sale tryton-modules-sale
+trytond-sale-advance-payment tryton-modules-sale-advance-payment
+trytond-sale-amendment tryton-modules-sale-amendment
+trytond-sale-blanket-agreement tryton-modules-sale-blanket-agreement
+trytond-sale-complaint tryton-modules-sale-complaint
+trytond-sale-credit-limit tryton-modules-sale-credit-limit
+trytond-sale-discount tryton-modules-sale-discount
+trytond-sale-extra tryton-modules-sale-extra
+trytond-sale-gift-card tryton-modules-sale-gift-card
+trytond-sale-history tryton-modules-sale-history
+trytond-sale-invoice-date tryton-modules-sale-invoice-date
+trytond-sale-invoice-grouping tryton-modules-sale-invoice-grouping
+trytond-sale-opportunity tryton-modules-sale-opportunity
+trytond-sale-payment tryton-modules-sale-payment
+trytond-sale-point tryton-modules-sale-point
+trytond-sale-price-list tryton-modules-sale-price-list
+trytond-sale-product-customer tryton-modules-sale-product-customer
+trytond-sale-product-quantity tryton-modules-sale-product-quantity
+trytond-sale-product-recommendation tryton-modules-sale-product-recommendation
+trytond-sale-product-recommendation-association-rule tryton-modules-sale-product-recommendation-association-rule
+trytond-sale-promotion tryton-modules-sale-promotion
+trytond-sale-promotion-coupon tryton-modules-sale-promotion-coupon
+trytond-sale-promotion-coupon-payment tryton-modules-sale-promotion-coupon-payment
+trytond-sale-secondary-unit tryton-modules-sale-secondary-unit
+trytond-sale-shipment-cost tryton-modules-sale-shipment-cost
+trytond-sale-shipment-grouping tryton-modules-sale-shipment-grouping
+trytond-sale-shipment-tolerance tryton-modules-sale-shipment-tolerance
+trytond-sale-stock-quantity tryton-modules-sale-stock-quantity
+trytond-sale-subscription tryton-modules-sale-subscription
+trytond-sale-subscription-asset tryton-modules-sale-subscription-asset
+trytond-sale-supply tryton-modules-sale-supply
+trytond-sale-supply-drop-shipment tryton-modules-sale-supply-drop-shipment
+trytond-sale-supply-production tryton-modules-sale-supply-production
+trytond-stock tryton-modules-stock
+trytond-stock-assign-manual tryton-modules-stock-assign-manual
+trytond-stock-consignment tryton-modules-stock-consignment
+trytond-stock-forecast tryton-modules-stock-forecast
+trytond-stock-inventory-location tryton-modules-stock-inventory-location
+trytond-stock-location-move tryton-modules-stock-location-move
+trytond-stock-location-sequence tryton-modules-stock-location-sequence
+trytond-stock-lot tryton-modules-stock-lot
+trytond-stock-lot-sled tryton-modules-stock-lot-sled
+trytond-stock-lot-unit tryton-modules-stock-lot-unit
+trytond-stock-package tryton-modules-stock-package
+trytond-stock-package-shipping tryton-modules-stock-package-shipping
+trytond-stock-package-shipping-dpd tryton-modules-stock-package-shipping-dpd
+trytond-stock-package-shipping-mygls tryton-modules-stock-package-shipping-mygls
+trytond-stock-package-shipping-sendcloud tryton-modules-stock-package-shipping-sendcloud
+trytond-stock-package-shipping-ups tryton-modules-stock-package-shipping-ups
+trytond-stock-product-location tryton-modules-stock-product-location
+trytond-stock-quantity-early-planning tryton-modules-stock-quantity-early-planning
+trytond-stock-quantity-issue tryton-modules-stock-quantity-issue
+trytond-stock-secondary-unit tryton-modules-stock-secondary-unit
+trytond-stock-shipment-cost tryton-modules-stock-shipment-cost
+trytond-stock-shipment-cost-weight tryton-modules-stock-shipment-cost-weight
+trytond-stock-shipment-measurements tryton-modules-stock-shipment-measurements
+trytond-stock-split tryton-modules-stock-split
+trytond-stock-supply tryton-modules-stock-supply
+trytond-stock-supply-day tryton-modules-stock-supply-day
+trytond-stock-supply-forecast tryton-modules-stock-supply-forecast
+trytond-stock-supply-production tryton-modules-stock-supply-production
+trytond-timesheet tryton-modules-timesheet
+trytond-timesheet-cost tryton-modules-timesheet-cost
+trytond-user-role tryton-modules-user-role
+trytond-web-shop tryton-modules-web-shop
+trytond-web-shop-shopify tryton-modules-web-shop-shopify
+trytond-web-shop-vue-storefront tryton-modules-web-shop-vue-storefront
+trytond-web-shop-vue-storefront-stripe tryton-modules-web-shop-vue-storefront-stripe
+trytond-web-shortener tryton-modules-web-shortener
+trytond-web-user tryton-modules-web-user
 ttconv python3-ttconv
+ttfautohint-py python3-ttfautohint-py
 ttkthemes python3-ttkthemes
 ttls python3-ttls
-ttn_client python3-ttn-client
+ttn-client python3-ttn-client
 ttystatus python3-ttystatus
+tubes python3-tubes
 tuf python3-tuf
 tuna tuna
 turbocase turbocase
@@ -5986,321 +6093,340 @@ twentemilieu python3-twentemilieu
 twilio python3-twilio
 twine twine
 twisted python3-twisted
-twitchAPI python3-twitchapi
+twitchapi python3-twitchapi
 twms twms
 twodict python3-twodict
-txWS python3-txws
-txZMQ python3-txzmq
+twomemo python3-twomemo
 txacme python3-txacme
 txaio python3-txaio
 txdbus python3-txdbus
-txi2p_tahoe python3-txi2p-tahoe
+txi2p-tahoe python3-txi2p-tahoe
 txrequests python3-txrequests
+txsni python3-txsni
 txt2tags txt2tags
 txtorcon python3-txtorcon
+txws python3-txws
+txzmq python3-txzmq
 typecatcher typecatcher
 typechecks python3-typechecks
 typedload python3-typedload
 typeguard python3-typeguard
 typepy python3-typepy
 typer python3-typer
-types_Deprecated python3-typeshed
-types_ExifRead python3-typeshed
-types_Flask_Cors python3-typeshed
-types_Flask_Migrate python3-typeshed
-types_Flask_SocketIO python3-typeshed
-types_JACK_Client python3-typeshed
-types_Jetson.GPIO python3-typeshed
-types_Markdown python3-typeshed
-types_PyAutoGUI python3-typeshed
-types_PyMySQL python3-typeshed
-types_PyScreeze python3-typeshed
-types_PyYAML python3-typeshed
-types_Pygments python3-typeshed
-types_RPi.GPIO python3-typeshed
-types_Send2Trash python3-typeshed
-types_TgCrypto python3-typeshed
-types_WTForms python3-typeshed
-types_WebOb python3-typeshed
-types_aiofiles python3-typeshed
-types_antlr4_python3_runtime python3-typeshed
-types_assertpy python3-typeshed
-types_atheris python3-typeshed
-types_aws_xray_sdk python3-typeshed
-types_beautifulsoup4 python3-typeshed
-types_bleach python3-typeshed
-types_boltons python3-typeshed
-types_braintree python3-typeshed
-types_cachetools python3-typeshed
-types_caldav python3-typeshed
-types_capturer python3-typeshed
-types_cffi python3-typeshed
-types_chevron python3-typeshed
-types_click_default_group python3-typeshed
-types_click_spinner python3-typeshed
-types_colorama python3-typeshed
-types_commonmark python3-typeshed
-types_console_menu python3-typeshed
-types_corus python3-typeshed
-types_croniter python3-typeshed
-types_dateparser python3-typeshed
-types_decorator python3-typeshed
-types_defusedxml python3-typeshed
-types_docker python3-typeshed
-types_dockerfile_parse python3-typeshed
-types_docutils python3-typeshed
-types_editdistance python3-typeshed
-types_entrypoints python3-typeshed
-types_fanstatic python3-typeshed
-types_first python3-typeshed
-types_flake8 python3-typeshed
-types_flake8_bugbear python3-typeshed
-types_flake8_builtins python3-typeshed
-types_flake8_docstrings python3-typeshed
-types_flake8_rst_docstrings python3-typeshed
-types_flake8_simplify python3-typeshed
-types_flake8_typing_imports python3-typeshed
-types_fpdf2 python3-typeshed
-types_gdb python3-typeshed
-types_gevent python3-typeshed
-types_google_cloud_ndb python3-typeshed
-types_greenlet python3-typeshed
-types_hdbcli python3-typeshed
-types_html5lib python3-typeshed
-types_httplib2 python3-typeshed
-types_humanfriendly python3-typeshed
-types_hvac python3-typeshed
-types_ibm_db python3-typeshed
-types_icalendar python3-typeshed
-types_influxdb_client python3-typeshed
-types_inifile python3-typeshed
-types_jmespath python3-typeshed
-types_jsonschema python3-typeshed
-types_jwcrypto python3-typeshed
-types_keyboard python3-typeshed
-types_ldap3 python3-typeshed
-types_libsass python3-typeshed
-types_lupa python3-typeshed
-types_lzstring python3-typeshed
-types_m3u8 python3-typeshed
-types_mock python3-typeshed
-types_mypy_extensions python3-typeshed
-types_mysqlclient python3-typeshed
-types_nanoid python3-typeshed
-types_netaddr python3-typeshed
-types_netifaces python3-typeshed
-types_networkx python3-typeshed
-types_oauthlib python3-typeshed
-types_objgraph python3-typeshed
-types_olefile python3-typeshed
-types_openpyxl python3-typeshed
-types_opentracing python3-typeshed
-types_paramiko python3-typeshed
-types_parsimonious python3-typeshed
-types_passlib python3-typeshed
-types_passpy python3-typeshed
-types_peewee python3-typeshed
-types_pep8_naming python3-typeshed
-types_pexpect python3-typeshed
-types_pika_ts python3-typeshed
-types_polib python3-typeshed
-types_portpicker python3-typeshed
-types_protobuf python3-typeshed
-types_psutil python3-typeshed
-types_psycopg2 python3-typeshed
-types_pyOpenSSL python3-typeshed
-types_pyRFC3339 python3-typeshed
-types_pyasn1 python3-typeshed
-types_pyaudio python3-typeshed
-types_pycocotools python3-typeshed
-types_pycurl python3-typeshed
-types_pyfarmhash python3-typeshed
-types_pyflakes python3-typeshed
-types_pygit2 python3-typeshed
-types_pyinstaller python3-typeshed
-types_pyjks python3-typeshed
-types_pynput python3-typeshed
-types_pyserial python3-typeshed
-types_pysftp python3-typeshed
-types_pytest_lazy_fixture python3-typeshed
-types_python_crontab python3-typeshed
-types_python_datemath python3-typeshed
-types_python_dateutil python3-typeshed
-types_python_http_client python3-typeshed
-types_python_jenkins python3-typeshed
-types_python_jose python3-typeshed
-types_python_nmap python3-typeshed
-types_python_xlib python3-typeshed
-types_pytz python3-typeshed
-types_pywin32 python3-typeshed
-types_pyxdg python3-typeshed
-types_qrbill python3-typeshed
-types_qrcode python3-typeshed
-types_regex python3-typeshed
-types_reportlab python3-typeshed
-types_requests python3-typeshed
-types_requests_oauthlib python3-typeshed
-types_retry python3-typeshed
-types_s2clientprotocol python3-typeshed
-types_seaborn python3-typeshed
-types_setuptools python3-typeshed
-types_shapely python3-typeshed
-types_simplejson python3-typeshed
-types_singledispatch python3-typeshed
-types_six python3-typeshed
-types_slumber python3-typeshed
-types_str2bool python3-typeshed
-types_tabulate python3-typeshed
-types_tensorflow python3-typeshed
-types_toml python3-typeshed
-types_toposort python3-typeshed
-types_tqdm python3-typeshed
-types_translationstring python3-typeshed
-types_tree_sitter_languages python3-typeshed
-types_ttkthemes python3-typeshed
-types_uWSGI python3-typeshed
-types_ujson python3-typeshed
-types_unidiff python3-typeshed
-types_untangle python3-typeshed
-types_usersettings python3-typeshed
-types_vobject python3-typeshed
-types_waitress python3-typeshed
-types_whatthepatch python3-typeshed
-types_workalendar python3-typeshed
-types_wurlitzer python3-typeshed
-types_xdgenvpy python3-typeshed
-types_xmltodict python3-typeshed
-types_zstd python3-typeshed
-types_zxcvbn python3-typeshed
-typing_extensions python3-typing-extensions
-typing_inspect python3-typing-inspect
+types-aiofiles python3-typeshed
+types-antlr4-python3-runtime python3-typeshed
+types-assertpy python3-typeshed
+types-atheris python3-typeshed
+types-aws-xray-sdk python3-typeshed
+types-beautifulsoup4 python3-typeshed
+types-bleach python3-typeshed
+types-boltons python3-typeshed
+types-braintree python3-typeshed
+types-cachetools python3-typeshed
+types-caldav python3-typeshed
+types-capturer python3-typeshed
+types-cffi python3-typeshed
+types-chevron python3-typeshed
+types-click-default-group python3-typeshed
+types-click-spinner python3-typeshed
+types-colorama python3-typeshed
+types-commonmark python3-typeshed
+types-console-menu python3-typeshed
+types-corus python3-typeshed
+types-croniter python3-typeshed
+types-dateparser python3-typeshed
+types-decorator python3-typeshed
+types-defusedxml python3-typeshed
+types-deprecated python3-typeshed
+types-docker python3-typeshed
+types-dockerfile-parse python3-typeshed
+types-docutils python3-typeshed
+types-editdistance python3-typeshed
+types-entrypoints python3-typeshed
+types-exifread python3-typeshed
+types-fanstatic python3-typeshed
+types-first python3-typeshed
+types-flake8 python3-typeshed
+types-flake8-bugbear python3-typeshed
+types-flake8-builtins python3-typeshed
+types-flake8-docstrings python3-typeshed
+types-flake8-rst-docstrings python3-typeshed
+types-flake8-simplify python3-typeshed
+types-flake8-typing-imports python3-typeshed
+types-flask-cors python3-typeshed
+types-flask-migrate python3-typeshed
+types-flask-socketio python3-typeshed
+types-fpdf2 python3-typeshed
+types-gdb python3-typeshed
+types-gevent python3-typeshed
+types-google-cloud-ndb python3-typeshed
+types-greenlet python3-typeshed
+types-hdbcli python3-typeshed
+types-html5lib python3-typeshed
+types-httplib2 python3-typeshed
+types-humanfriendly python3-typeshed
+types-hvac python3-typeshed
+types-ibm-db python3-typeshed
+types-icalendar python3-typeshed
+types-influxdb-client python3-typeshed
+types-inifile python3-typeshed
+types-jack-client python3-typeshed
+types-jetson-gpio python3-typeshed
+types-jmespath python3-typeshed
+types-jsonschema python3-typeshed
+types-jwcrypto python3-typeshed
+types-keyboard python3-typeshed
+types-ldap3 python3-typeshed
+types-libsass python3-typeshed
+types-lupa python3-typeshed
+types-lzstring python3-typeshed
+types-m3u8 python3-typeshed
+types-markdown python3-typeshed
+types-mock python3-typeshed
+types-mypy-extensions python3-typeshed
+types-mysqlclient python3-typeshed
+types-nanoid python3-typeshed
+types-netaddr python3-typeshed
+types-netifaces python3-typeshed
+types-networkx python3-typeshed
+types-oauthlib python3-typeshed
+types-objgraph python3-typeshed
+types-olefile python3-typeshed
+types-openpyxl python3-typeshed
+types-opentracing python3-typeshed
+types-paramiko python3-typeshed
+types-parsimonious python3-typeshed
+types-passlib python3-typeshed
+types-passpy python3-typeshed
+types-peewee python3-typeshed
+types-pep8-naming python3-typeshed
+types-pexpect python3-typeshed
+types-pika-ts python3-typeshed
+types-polib python3-typeshed
+types-portpicker python3-typeshed
+types-protobuf python3-typeshed
+types-psutil python3-typeshed
+types-psycopg2 python3-typeshed
+types-pyasn1 python3-typeshed
+types-pyaudio python3-typeshed
+types-pyautogui python3-typeshed
+types-pycocotools python3-typeshed
+types-pycurl python3-typeshed
+types-pyfarmhash python3-typeshed
+types-pyflakes python3-typeshed
+types-pygit2 python3-typeshed
+types-pygments python3-typeshed
+types-pyinstaller python3-typeshed
+types-pyjks python3-typeshed
+types-pymysql python3-typeshed
+types-pynput python3-typeshed
+types-pyopenssl python3-typeshed
+types-pyrfc3339 python3-typeshed
+types-pyscreeze python3-typeshed
+types-pyserial python3-typeshed
+types-pysftp python3-typeshed
+types-pytest-lazy-fixture python3-typeshed
+types-python-crontab python3-typeshed
+types-python-datemath python3-typeshed
+types-python-dateutil python3-typeshed
+types-python-http-client python3-typeshed
+types-python-jenkins python3-typeshed
+types-python-jose python3-typeshed
+types-python-nmap python3-typeshed
+types-python-xlib python3-typeshed
+types-pytz python3-typeshed
+types-pywin32 python3-typeshed
+types-pyxdg python3-typeshed
+types-pyyaml python3-typeshed
+types-qrbill python3-typeshed
+types-qrcode python3-typeshed
+types-regex python3-typeshed
+types-reportlab python3-typeshed
+types-requests python3-typeshed
+types-requests-oauthlib python3-typeshed
+types-retry python3-typeshed
+types-rpi-gpio python3-typeshed
+types-s2clientprotocol python3-typeshed
+types-seaborn python3-typeshed
+types-send2trash python3-typeshed
+types-setuptools python3-typeshed
+types-shapely python3-typeshed
+types-simplejson python3-typeshed
+types-singledispatch python3-typeshed
+types-six python3-typeshed
+types-slumber python3-typeshed
+types-str2bool python3-typeshed
+types-tabulate python3-typeshed
+types-tensorflow python3-typeshed
+types-tgcrypto python3-typeshed
+types-toml python3-typeshed
+types-toposort python3-typeshed
+types-tqdm python3-typeshed
+types-translationstring python3-typeshed
+types-tree-sitter-languages python3-typeshed
+types-ttkthemes python3-typeshed
+types-ujson python3-typeshed
+types-unidiff python3-typeshed
+types-untangle python3-typeshed
+types-usersettings python3-typeshed
+types-uwsgi python3-typeshed
+types-vobject python3-typeshed
+types-waitress python3-typeshed
+types-webob python3-typeshed
+types-whatthepatch python3-typeshed
+types-workalendar python3-typeshed
+types-wtforms python3-typeshed
+types-wurlitzer python3-typeshed
+types-xdgenvpy python3-typeshed
+types-xmltodict python3-typeshed
+types-zstd python3-typeshed
+types-zxcvbn python3-typeshed
+typing-extensions python3-typing-extensions
+typing-inspect python3-typing-inspect
+typing-inspection python3-typing-inspection
+typish python3-typish
 typogrify python3-typogrify
-tz_converter tz-converter
+tz-converter tz-converter
 tzlocal python3-tzlocal
-uModbus python3-umodbus
-uTidylib python3-utidylib
-u_msgpack_python python3-u-msgpack
-ua_parser python3-ua-parser
+u-msgpack-python python3-u-msgpack
+ua-parser python3-ua-parser
 uamqp python3-uamqp
-uart_devices python3-uart-devices
+uart-devices python3-uart-devices
 ubelt python3-ubelt
-ubuntu_dev_tools python3-ubuntutools
-uc_micro_py python3-uc-micro
+ubuntu-dev-tools python3-ubuntutools
+uc-micro-py python3-uc-micro
 udiskie udiskie
 ueberzug ueberzug
 uflash python3-uflash
+ufo-extractor python3-ufo-extractor
+ufo-tofu python3-ufo-tofu
 ufo2ft python3-ufo2ft
 ufo2otf ufo2otf
-ufoLib2 python3-ufolib2
-ufoProcessor python3-ufoprocessor
-ufo_extractor python3-ufo-extractor
-ufo_tofu python3-ufo-tofu
+ufolib2 python3-ufolib2
 ufonormalizer python3-ufonormalizer
+ufoprocessor python3-ufoprocessor
 ufw ufw
 uhashring python3-uhashring
+uhi python3-uhi
 uiprotect python3-uiprotect
 ujson python3-ujson
-ulid_transform python3-ulid-transform
+ulid-transform python3-ulid-transform
 ulmo python3-ulmo
 ultimateultimateguitar ultimateultimateguitar
-ultraheat_api python3-ultraheat-api
-umap_learn umap-learn
+ultraheat-api python3-ultraheat-api
+umap-learn umap-learn
 umis umis
-unattended_upgrades unattended-upgrades
+umodbus python3-umodbus
+unattended-upgrades unattended-upgrades
 uncalled uncalled
 uncertainties python3-uncertainties
 undertime undertime
-undetected_chromedriver python3-undetected-chromedriver
+undetected-chromedriver python3-undetected-chromedriver
 unearth python3-unearth
-unicode_rbnf python3-unicode-rbnf
+unicode-rbnf python3-unicode-rbnf
 unicodedata2 python3-unicodedata2
 unicorn python3-unicorn
 unicrypto python3-unicrypto
 unicycler unicycler
+unidecode python3-unidecode
 unidiff python3-unidiff
+unifi-discovery python3-unifi-discovery
 unifrac python3-unifrac
-unittest_xml_reporting python3-xmlrunner
+unittest-xml-reporting python3-xmlrunner
+unknownhorizons unknown-horizons
 unpaddedbase64 python3-unpaddedbase64
 untangle python3-untangle
 untokenize python3-untokenize
 unyt python3-unyt
 upass upass
-upstream_ontologist python3-upstream-ontologist
+upsetplot python3-upsetplot
+upstream-ontologist python3-upstream-ontologist
 uritemplate python3-uritemplate
 uritools python3-uritools
-url_normalize python3-url-normalize
+url-normalize python3-url-normalize
 urllib3 python3-urllib3
+urlobject python3-urlobject
 urlscan urlscan
 urlwatch urlwatch
 urwid python3-urwid
-urwid_readline python3-urwid-readline
-urwid_satext python3-urwid-satext
-urwid_utils python3-urwid-utils
+urwid-readline python3-urwid-readline
+urwid-satext python3-urwid-satext
+urwid-utils python3-urwid-utils
 urwidtrees python3-urwidtrees
 usagestats python3-usagestats
-usb_devices python3-usb-devices
-usb_monitor python3-usbmonitor
-usbrelay_py python3-usbrelay
+usb-devices python3-usb-devices
+usb-monitor python3-usbmonitor
+usbmuxctl python3-usbmuxctl
+usbrelay-py python3-usbrelay
 usbsdmux usbsdmux
-user_agents python3-user-agents
+user-agents python3-user-agents
 userpath python3-userpath
 usgs python3-usgs
-utf8_locale python3-utf8-locale
+utf8-locale python3-utf8-locale
+utidylib python3-utidylib
 utm python3-utm
 uvcclient python3-uvcclient
 uvicorn python3-uvicorn
 uvloop python3-uvloop
-vacuum_map_parser_base python3-vacuum-map-parser-base
-vacuum_map_parser_roborock python3-vacuum-map-parser-roborock
-validate_pyproject python3-validate-pyproject
+vacuum-map-parser-base python3-vacuum-map-parser-base
+vacuum-map-parser-roborock python3-vacuum-map-parser-roborock
+validate-pyproject python3-validate-pyproject
 validators python3-validators
 vanguards vanguards
 variety variety
 varlink python3-varlink
-vasttrafik_cli vasttrafik-cli
+vasttrafik-cli vasttrafik-cli
 vcrpy python3-vcr
 vcstool vcstool
 vcstools python3-vcstools
 vcversioner python3-vcversioner
 vdf python3-vdf
 vdirsyncer vdirsyncer
+vector python3-vector
 vedo python3-vedo
-vega_datasets python3-vega-datasets
+vega-datasets python3-vega-datasets
 vehicle python3-vehicle
 venusian python3-venusian
+verilog-parser python3-verilog-parser
 versioneer python3-versioneer
 veusz python3-veusz
+vf-1 vf1
 vfit vfit
 vincenty python3-vincenty
 vine python3-vine
 vinetto vinetto
-virt_firmware python3-virt-firmware
+virt-firmware python3-virt-firmware
 virtme virtme
-virtme_ng virtme-ng
+virtme-ng virtme-ng
 virtnbdbackup virtnbdbackup
 virtualenv python3-virtualenv
-virtualenv_clone python3-virtualenv-clone
+virtualenv-clone python3-virtualenv-clone
 virtualenvwrapper python3-virtualenvwrapper
-virustotal_api python3-virustotal-api
+virtualmailmanager vmm
+virustotal-api python3-virustotal-api
 visidata visidata
 vispy python3-vispy
 vit vit
 vitrage python3-vitrage
-vitrage_dashboard python3-vitrage-dashboard
-vitrage_tempest_plugin vitrage-tempest-plugin
+vitrage-dashboard python3-vitrage-dashboard
+vitrage-tempest-plugin vitrage-tempest-plugin
 vmdb2 vmdb2
+vmdkstream python3-vmdkstream
+vmms python3-vmms
 vncdotool vncdotool
 vobject python3-vobject
-voip_utils python3-voip-utils
+voip-utils python3-voip-utils
 volatile python3-volatile
 voltron voltron
 voluptuous python3-voluptuous
-voluptuous_openapi python3-voluptuous-openapi
-voluptuous_serialize python3-voluptuous-serialize
+voluptuous-openapi python3-voluptuous-openapi
+voluptuous-serialize python3-voluptuous-serialize
+volvooncall python3-volvooncall
 vorta vorta
-vsts_cd_manager python3-vsts-cd-manager
+vsts-cd-manager python3-vsts-cd-manager
 vsure python3-vsure
-vttLib python3-vttlib
+vttlib python3-vttlib
+vttmisc python3-vttmisc
 vulndb python3-vulndb
 vultr python3-vultr
 vulture vulture
@@ -6310,37 +6436,45 @@ wafw00f wafw00f
 waiting python3-waiting
 waitress python3-waitress
 wajig wajig
+wakeonlan python3-wakeonlan
+walinuxagent waagent
 wallbox python3-wallbox
+wand python3-wand
+wapiti-arsenic python3-wapiti-arsenic
+wapiti-swagger python3-wapiti-swagger
 wapiti3 wapiti
 warlock python3-warlock
 wasabi python3-wasabi
 watchdog python3-watchdog
-watcher_dashboard python3-watcher-dashboard
-watcher_tempest_plugin watcher-tempest-plugin
+watcher-dashboard python3-watcher-dashboard
+watcher-tempest-plugin watcher-tempest-plugin
 watchfiles python3-watchfiles
 waymore waymore
-wcag_contrast_ratio python3-wcag-contrast-ratio
+wcag-contrast-ratio python3-wcag-contrast-ratio
 wchartype python3-wchartype
 wcmatch python3-wcmatch
 wcwidth python3-wcwidth
 wdlparse python3-wdlparse
 weasyprint weasyprint
-web.py python3-webpy
-web_cache python3-web-cache
+web-cache python3-web-cache
+web-py python3-webpy
 webargs python3-webargs
 webassets python3-webassets
 webcolors python3-webcolors
 webdavclient3 python3-webdavclient
 webencodings python3-webencodings
 weblogo python3-weblogo
-webmin_xmlrpc python3-webmin-xmlrpc
-webrtc_models python3-webrtc-models
-websocket_client python3-websocket
-websocket_httpd python3-websocketd
+webmin-xmlrpc python3-webmin-xmlrpc
+webob python3-webob
+webrtc-models python3-webrtc-models
+websocket-client python3-websocket
+websocket-httpd python3-websocketd
 websockets python3-websockets
 websockify python3-websockify
 websploit websploit
-webvtt_py python3-webvtt
+webtest python3-webtest
+webvtt-py python3-webvtt
+weightedstats python3-weightedstats
 weii weii
 werkzeug python3-werkzeug
 west west
@@ -6349,16 +6483,18 @@ wget python3-wget
 whatmaps whatmaps
 whatthepatch python3-whatthepatch
 wheel python3-wheel
-wheezy.template python3-wheezy.template
+wheezy-template python3-wheezy.template
 whey python3-whey
-whey_pth python3-whey-pth
+whey-pth python3-whey-pth
 whipper whipper
 whisper python3-whisper
 whitenoise python3-whitenoise
+whoosh python3-whoosh
 widgetsnbextension python3-widgetsnbextension
 wiffi python3-wiffi
 wifite wifite
 wikitrans python3-wikitrans
+wikkid python3-wikkid
 wilderness python3-wilderness
 willow python3-willow
 wimsapi python3-wimsapi
@@ -6366,48 +6502,61 @@ wireviz wireviz
 wither python3-wither
 wlc wlc
 wokkel python3-wokkel
-wolf_comm python3-wolf-comm
+wolf-comm python3-wolf-comm
 wordcloud python3-wordcloud
 wrapt python3-wrapt
 ws4py python3-ws4py
 wsaccel python3-wsaccel
-wsgi_intercept python3-wsgi-intercept
+wsdot python3-wsdot
+wsgi-intercept python3-wsgi-intercept
 wsgicors python3-wsgicors
+wsgiproxy2 python3-wsgiproxy
+wslink python3-wslink
+wsme python3-wsme
 wsproto python3-wsproto
-wtf_peewee python3-wtf-peewee
+wtf-peewee python3-wtf-peewee
 wtforms python3-wtforms
+wtforms-alchemy python3-wtforms-alchemy
+wtforms-components python3-wtforms-components
+wtforms-json python3-wtforms-json
+wtforms-test python3-wtforms-test
 wurlitzer python3-wurlitzer
-wxPython python3-wxgtk4.0
 wxmplot python3-wxmplot
+wxpython python3-wxgtk4.0
 wxutils python3-wxutils
 wyoming python3-wyoming
+x-tile x-tile
+x-wr-timezone python3-x-wr-timezone
 x2go python3-x2go
 x2gobroker python3-x2gobroker
-x_wr_timezone python3-x-wr-timezone
+x3dh python3-x3dh
 xandikos xandikos
 xapers xapers
-xapian_haystack python3-xapian-haystack
+xapian-haystack python3-xapian-haystack
 xarray python3-xarray
-xarray_safe_rcm python3-xarray-safe-rcm
-xarray_safe_s1 python3-xarray-safe-s1
-xarray_sentinel python3-xarray-sentinel
+xarray-safe-rcm python3-xarray-safe-rcm
+xarray-safe-s1 python3-xarray-safe-s1
+xarray-sentinel python3-xarray-sentinel
 xattr python3-xattr
-xbox_webapi python3-xbox-webapi
+xbox-webapi python3-xbox-webapi
 xcffib python3-xcffib
 xdg python3-xdg
+xdg-base-dirs python3-xdg-base-dirs
 xdo python3-xdo
 xdoctest python3-xdoctest
 xdot xdot
-xeus_python_shell python3-xeus-python-shell
+xeddsa python3-xeddsa
+xeus-python-shell python3-xeus-python-shell
 xgboost python3-xgboost
 xgflib xgridfit
 xhtml2pdf python3-xhtml2pdf
-xiaomi_ble python3-xiaomi-ble
+xiaomi-ble python3-xiaomi-ble
 xkbcommon python3-xkbcommon
 xkcd python3-xkcd
 xkcdpass xkcdpass
 xknx python3-xknx
 xlrd python3-xlrd
+xlsxwriter python3-xlsxwriter
 xlwt python3-xlwt
 xmds2 xmds2
 xmldiff xmldiff
@@ -6425,18 +6574,61 @@ xraydb python3-xraydb
 xraylarch python3-xraylarch
 xrayutilities python3-xrayutilities
 xrootd python3-xrootd
-xrt python3-xrt
 xsar python3-xsar
 xsdata python3-xsdata
+xstatic python3-xstatic
+xstatic-angular python3-xstatic-angular
+xstatic-angular-bootstrap python3-xstatic-angular-bootstrap
+xstatic-angular-cookies python3-xstatic-angular-cookies
+xstatic-angular-fileupload python3-xstatic-angular-fileupload
+xstatic-angular-gettext python3-xstatic-angular-gettext
+xstatic-angular-lrdragndrop python3-xstatic-angular-lrdragndrop
+xstatic-angular-mock python3-xstatic-angular-mock
+xstatic-angular-schema-form python3-xstatic-angular-schema-form
+xstatic-angular-ui-router python3-xstatic-angular-ui-router
+xstatic-angular-uuid python3-xstatic-angular-uuid
+xstatic-angular-vis python3-xstatic-angular-vis
+xstatic-bootstrap-datepicker python3-xstatic-bootstrap-datepicker
+xstatic-bootstrap-scss python3-xstatic-bootstrap-scss
+xstatic-bootswatch python3-xstatic-bootswatch
+xstatic-d3 python3-xstatic-d3
+xstatic-dagre python3-xstatic-dagre
+xstatic-dagre-d3 python3-xstatic-dagre-d3
+xstatic-filesaver python3-xstatic-filesaver
+xstatic-font-awesome python3-xstatic-font-awesome
+xstatic-graphlib python3-xstatic-graphlib
+xstatic-hogan python3-xstatic-hogan
+xstatic-jasmine python3-xstatic-jasmine
+xstatic-jquery python3-xstatic-jquery
+xstatic-jquery-bootstrap-wizard python3-xstatic-jquery.bootstrap.wizard
+xstatic-jquery-migrate python3-xstatic-jquery-migrate
+xstatic-jquery-quicksearch python3-xstatic-jquery.quicksearch
+xstatic-jquery-tablesorter python3-xstatic-jquery.tablesorter
+xstatic-jquery-ui python3-xstatic-jquery-ui
+xstatic-js-yaml python3-xstatic-js-yaml
+xstatic-jsencrypt python3-xstatic-jsencrypt
+xstatic-json2yaml python3-xstatic-json2yaml
+xstatic-lodash python3-xstatic-lodash
+xstatic-magic-search python3-xstatic-magic-search
+xstatic-mdi python3-xstatic-mdi
+xstatic-moment python3-xstatic-moment
+xstatic-moment-timezone python3-xstatic-moment-timezone
+xstatic-objectpath python3-xstatic-objectpath
+xstatic-qunit python3-xstatic-qunit
+xstatic-rickshaw python3-xstatic-rickshaw
+xstatic-roboto-fontface python3-xstatic-roboto-fontface
+xstatic-smart-table python3-xstatic-smart-table
+xstatic-spin python3-xstatic-spin
+xstatic-term-js python3-xstatic-term.js
+xstatic-tv4 python3-xstatic-tv4
 xtermcolor python3-xtermcolor
 xvfbwrapper python3-xvfbwrapper
-xxdiff_scripts xxdiff-scripts
+xxdiff-scripts xxdiff-scripts
 xxhash python3-xxhash
 xypattern python3-xypattern
 xyzservices python3-xyzservices
-y_py python3-ypy
 yalexs python3-yalexs
-yalexs_ble python3-yalexs-ble
+yalexs-ble python3-yalexs-ble
 yamale python3-yamale
 yamlfix python3-yamlfix
 yamllint yamllint
@@ -6445,8 +6637,10 @@ yanagiba yanagiba
 yanosim yanosim
 yapf python3-yapf
 yappi python3-yappi
+yapps2 python3-yapps
+yapsy python3-yapsy
 yaql python3-yaql
-yara_python python3-yara
+yara-python python3-yara
 yaramod python3-yaramod
 yarg python3-yarg
 yarl python3-yarl
@@ -6455,65 +6649,68 @@ yaswfp python3-yaswfp
 yattag python3-yattag
 ydiff python3-ydiff
 yokadi yokadi
-yolink_api python3-yolink-api
-youless_api python3-youless-api
+yolink-api python3-yolink-api
+youless-api python3-youless-api
 youtubeaio python3-youtubeaio
-yoyo_migrations python3-yoyo
+yoyo-migrations python3-yoyo
 yq yq
 yt python3-yt
-yt_dlp yt-dlp
+yt-dlp yt-dlp
 yte python3-yte
 ytmusicapi python3-ytmusicapi
 yubihsm python3-yubihsm
-yubikey_manager python3-ykman
-zabbix_cli_uio zabbix-cli
+yubikey-manager python3-ykman
+yubiotp python3-yubiotp
+zabbix-cli-uio zabbix-cli
 zake python3-zake
 zamg python3-zamg
 zaqar python3-zaqar
-zaqar_tempest_plugin zaqar-tempest-plugin
-zaqar_ui python3-zaqar-ui
+zaqar-tempest-plugin zaqar-tempest-plugin
+zaqar-ui python3-zaqar-ui
 zarr python3-zarr
-zc.buildout python3-zc.buildout
-zc.customdoctests python3-zc.customdoctests
-zc.lockfile python3-zc.lockfile
+zc-buildout python3-zc.buildout
+zc-customdoctests python3-zc.customdoctests
+zc-lockfile python3-zc.lockfile
 zeep python3-zeep
 zenmap zenmap
 zeroconf python3-zeroconf
 zfec python3-zfec
+zfs-autobackup zfs-autobackup
 zict python3-zict
-zigpy_deconz python3-zigpy-deconz
-zigpy_zigate python3-zigpy-zigate
-zigpy_znp python3-zigpy-znp
+zigpy-deconz python3-zigpy-deconz
+zigpy-zigate python3-zigpy-zigate
+zigpy-znp python3-zigpy-znp
 zim zim
-zipfile_zstd python3-zipfile-zstd
+zipfile-zstd python3-zipfile-zstd
 zipp python3-zipp
 zipstream python3-zipstream
-zipstream_ng python3-zipstream-ng
+zipstream-ng python3-zipstream-ng
 zkg zkg
 zktop zktop
 zlmdb python3-zlmdb
-zodbpickle python3-zodbpickle
-zombie_imp python3-zombie-imp
-zope.component python3-zope.component
-zope.configuration python3-zope.configuration
-zope.deferredimport python3-zope.deferredimport
-zope.deprecation python3-zope.deprecation
-zope.event python3-zope.event
-zope.exceptions python3-zope.exceptions
-zope.hookable python3-zope.hookable
-zope.i18nmessageid python3-zope.i18nmessageid
-zope.interface python3-zope.interface
-zope.location python3-zope.location
-zope.proxy python3-zope.proxy
-zope.schema python3-zope.schema
-zope.security python3-zope.security
-zope.sqlalchemy python3-zope.sqlalchemy
-zope.testing python3-zope.testing
-zope.testrunner python3-zope.testrunner
+zombie-imp python3-zombie-imp
+zookeeper python3-zookeeper
+zope-component python3-zope.component
+zope-configuration python3-zope.configuration
+zope-deferredimport python3-zope.deferredimport
+zope-deprecation python3-zope.deprecation
+zope-event python3-zope.event
+zope-exceptions python3-zope.exceptions
+zope-hookable python3-zope.hookable
+zope-i18nmessageid python3-zope.i18nmessageid
+zope-interface python3-zope.interface
+zope-location python3-zope.location
+zope-proxy python3-zope.proxy
+zope-schema python3-zope.schema
+zope-security python3-zope.security
+zope-sqlalchemy python3-zope.sqlalchemy
+zope-testing python3-zope.testing
+zope-testrunner python3-zope.testrunner
 zopfli python3-zopfli
 zstandard python3-zstandard
 zstd python3-zstd
-zwave_js_server_python python3-zwave-js-server-python
-zwave_me_ws python3-zwave-me-ws
-zxcvbn_rs_py python3-python-zxcvbn-rs-py
+zwave-js-server-python python3-zwave-js-server-python
+zwave-me-ws python3-zwave-me-ws
+zxcvbn python3-zxcvbn
+zxcvbn-rs-py python3-python-zxcvbn-rs-py
 zzzeeksphinx python3-zzzeeksphinx
diff -pruN 6.20251029/pydist/generate_fallback_list.py 6.20251204/pydist/generate_fallback_list.py
--- 6.20251029/pydist/generate_fallback_list.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/pydist/generate_fallback_list.py	2025-12-04 14:46:17.000000000 +0000
@@ -41,16 +41,15 @@ else:
         'http://ftp.debian.org/debian/dists/unstable/main/Contents-amd64.gz',
     ]
 
-IGNORED_PKGS = {'python3-setuptools'}
+IGNORED_PKGS = set()
 OVERRIDES = {
     'cpython3': {
-        'Cython': 'cython3',
-        'Pillow': 'python3-pil',
-        'PySide6': None,
         'argparse': 'python3 (>= 3.2)',
+        'cython': 'cython3',
         'pil': 'python3-pil',
+        'pillow': 'python3-pil',
         'pylint': 'pylint',
-        'setuptools': 'python3-pkg-resources',
+        'pyside6': None,
     },
 }
 
@@ -71,7 +70,7 @@ if isdir('../dhpython'):
     sys.path.append('..')
 else:
     sys.path.append('/usr/share/dh-python/dhpython/')
-from dhpython.pydist import sensible_pname
+from dhpython.pydist import normalize_name, sensible_pname
 
 data = ''
 if not isdir('cache'):
@@ -107,23 +106,24 @@ for line in data.splitlines():
         continue
     match = public_egg(path)
     if match:
-        egg_name = [i.split('-', 1)[0] for i in path.split('/')
-                    if i.endswith(('.egg-info', '.dist-info'))][0]
-        if egg_name.endswith('.egg'):
-            egg_name = egg_name[:-4]
+        dist_name = [i.split('-', 1)[0] for i in path.split('/')
+                     if i.endswith(('.egg-info', '.dist-info'))][0]
+        if dist_name.endswith('.egg'):
+            dist_name = dist_name[:-4]
+        dist_name = normalize_name(dist_name)
 
         impl = next(key for key, value in match.groupdict().items() if value)
 
         if skip_sensible_names and\
-                sensible_pname(impl, egg_name) == pkg_name:
+                sensible_pname(impl, dist_name) == pkg_name:
             continue
 
         if impl not in result:
             continue
 
         processed = result[impl]
-        if egg_name not in processed:
-            processed[egg_name] = pkg_name
+        if dist_name not in processed:
+            processed[dist_name] = pkg_name
 
 for impl, details in result.items():
     with open('{}_fallback'.format(impl), 'w') as fp:
diff -pruN 6.20251029/tests/test-package-show-info 6.20251204/tests/test-package-show-info
--- 6.20251029/tests/test-package-show-info	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/tests/test-package-show-info	2025-12-04 14:46:17.000000000 +0000
@@ -12,5 +12,6 @@ for deb in $(sed -nr 's/.* ([^ ]*\.deb)$
     echo "--------------------------------------------------"
     echo "PACKAGE $deb:"
     dpkg-deb --info "$basedir/$deb"
+    dpkg-deb --contents "$basedir/$deb"
 done
 echo "--------------------------------------------------"
diff -pruN 6.20251029/tests/test_depends.py 6.20251204/tests/test_depends.py
--- 6.20251029/tests/test_depends.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/tests/test_depends.py	2025-12-04 14:46:17.000000000 +0000
@@ -22,11 +22,13 @@ def pep386(d):
 
 def prime_pydist(impl, pydist):
     """Fake the pydist data for impl. Returns a cleanup function"""
-    from dhpython.pydist import load
+    from dhpython.pydist import load, normalize_name
 
+    normalized_pydist = {}
     for name, entries in pydist.items():
         if not isinstance(entries, list):
-            pydist[name] = entries = [entries]
+            entries = [entries]
+        normalized_pydist[normalize_name(name)] = entries
         for i, entry in enumerate(entries):
             if isinstance(entry, str):
                 entries[i] = entry = {'dependency': entry}
@@ -36,7 +38,7 @@ def prime_pydist(impl, pydist):
             entry.setdefault('versions', set())
 
     key = dumps(((impl,), {}))
-    load.cache[key] = pydist
+    load.cache[key] = normalized_pydist
     return lambda: load.cache.pop(key)
 
 
diff -pruN 6.20251029/tests/tpb03/Makefile 6.20251204/tests/tpb03/Makefile
--- 6.20251029/tests/tpb03/Makefile	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/tests/tpb03/Makefile	2025-12-04 14:46:17.000000000 +0000
@@ -4,7 +4,7 @@ include ../common.mk
 check:
 	# FIXME: This used to be a 2.7 + 3.x test. It may not be useful any more, without 2.x
 	test -f debian/python3-foo/usr/lib/python3/dist-packages/foo.py
-	grep -q 'Depends:.*python3-pkg-resources' debian/python3-foo/DEBIAN/control
+	grep -q 'Depends:.*python3-setuptools' debian/python3-foo/DEBIAN/control
 	./debian/rules clean
 	test -f foo.egg-info/SOURCES.txt
 	grep -q extra-file foo.egg-info/SOURCES.txt
diff -pruN 6.20251029/tests/tpb06/Makefile 6.20251204/tests/tpb06/Makefile
--- 6.20251029/tests/tpb06/Makefile	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/tests/tpb06/Makefile	2025-12-04 14:46:17.000000000 +0000
@@ -13,6 +13,9 @@ check:
 	find .pybuild -name test-executed | grep -q test-executed
 	grep -q usr/bin/python3$$ debian/python3-foo/usr/bin/foo
 	find debian/python3-foo/usr/lib/python3/dist-packages/ -name LICENSE | { ! grep -q LICENSE; }
+	set -e; for py in $(shell py3versions -s); do \
+		test -f debian/python3-foo/usr/include/$$py/foo/ext.h; \
+	done
 	test -f debian/python3-foo/usr/share/man/man1/foo.1.gz
 
 clean:
diff -pruN 6.20251029/tests/tpb06/setup.py 6.20251204/tests/tpb06/setup.py
--- 6.20251029/tests/tpb06/setup.py	2025-10-29 13:53:03.000000000 +0000
+++ 6.20251204/tests/tpb06/setup.py	2025-12-04 14:46:17.000000000 +0000
@@ -1,12 +1,14 @@
 from setuptools import setup, Extension
 
 setup_args = dict(
-    ext_modules = [
+    ext_modules=[
         Extension(
             'foo.ext',
             ['foo/ext.c'],
-            py_limited_api = True,
+            depends=['foo/ext.h'],
+            py_limited_api=True,
         )
-    ]
+    ],
+    headers=['foo/ext.h'],
 )
 setup(**setup_args)
