diff --git a/.hgtags b/.hgtags
index ffcf50b..0fbf348 100644
--- a/.hgtags
+++ b/.hgtags
@@ -114,3 +114,4 @@ dfc49bafbe79566bd54c8d417829e001ff2316ea v2.7.2a1
 b9b60766cabebf007b7584ec21a69b3f58587525 v2.7.2b2
 6d3659465010fd2a8fb11a93953bae5bf9e9db80 v2.7.2b3
 1fcef1abf1d66abfef61a365d4fccef158d37fb7 v2.7.2rc1
+925a3cc3b49d8105688dfbec11fe68546b354169 v2.7.2
diff --git a/Lib/ensurepip/__init__.py b/Lib/ensurepip/__init__.py
new file mode 100644
index 0000000..b2f5f88
--- /dev/null
+++ b/Lib/ensurepip/__init__.py
@@ -0,0 +1,227 @@
+#!/usr/bin/env python2
+from __future__ import print_function
+
+import os
+import os.path
+import pkgutil
+import shutil
+import sys
+import tempfile
+
+
+__all__ = ["version", "bootstrap"]
+
+
+_SETUPTOOLS_VERSION = "41.0.1"
+
+_PIP_VERSION = "19.1"
+
+# pip currently requires ssl support, so we try to provide a nicer
+# error message when that is missing (http://bugs.python.org/issue19744)
+_MISSING_SSL_MESSAGE = ("pip {} requires SSL/TLS".format(_PIP_VERSION))
+try:
+    import ssl
+except ImportError:
+    ssl = None
+
+    def _require_ssl_for_pip():
+        raise RuntimeError(_MISSING_SSL_MESSAGE)
+else:
+    def _require_ssl_for_pip():
+        pass
+
+_PROJECTS = [
+    ("setuptools", _SETUPTOOLS_VERSION),
+    ("pip", _PIP_VERSION),
+]
+
+
+def _run_pip(args, additional_paths=None):
+    # Add our bundled software to the sys.path so we can import it
+    if additional_paths is not None:
+        sys.path = additional_paths + sys.path
+
+    # Install the bundled software
+    from pip._internal import main
+    main(args)
+
+
+def version():
+    """
+    Returns a string specifying the bundled version of pip.
+    """
+    return _PIP_VERSION
+
+
+def _disable_pip_configuration_settings():
+    # We deliberately ignore all pip environment variables
+    # when invoking pip
+    # See http://bugs.python.org/issue19734 for details
+    keys_to_remove = [k for k in os.environ if k.startswith("PIP_")]
+    for k in keys_to_remove:
+        del os.environ[k]
+    # We also ignore the settings in the default pip configuration file
+    # See http://bugs.python.org/issue20053 for details
+    os.environ['PIP_CONFIG_FILE'] = os.devnull
+
+
+def bootstrap(root=None, upgrade=False, user=False,
+              altinstall=False, default_pip=True,
+              verbosity=0):
+    """
+    Bootstrap pip into the current Python installation (or the given root
+    directory).
+
+    Note that calling this function will alter both sys.path and os.environ.
+    """
+    if altinstall and default_pip:
+        raise ValueError("Cannot use altinstall and default_pip together")
+
+    _require_ssl_for_pip()
+    _disable_pip_configuration_settings()
+
+    # By default, installing pip and setuptools installs all of the
+    # following scripts (X.Y == running Python version):
+    #
+    #   pip, pipX, pipX.Y, easy_install, easy_install-X.Y
+    #
+    # pip 1.5+ allows ensurepip to request that some of those be left out
+    if altinstall:
+        # omit pip, pipX and easy_install
+        os.environ["ENSUREPIP_OPTIONS"] = "altinstall"
+    elif not default_pip:
+        # omit pip and easy_install
+        os.environ["ENSUREPIP_OPTIONS"] = "install"
+
+    tmpdir = tempfile.mkdtemp()
+    try:
+        # Put our bundled wheels into a temporary directory and construct the
+        # additional paths that need added to sys.path
+        additional_paths = []
+        for project, version in _PROJECTS:
+            wheel_name = "{}-{}-py2.py3-none-any.whl".format(project, version)
+            whl = pkgutil.get_data(
+                "ensurepip",
+                "_bundled/{}".format(wheel_name),
+            )
+            with open(os.path.join(tmpdir, wheel_name), "wb") as fp:
+                fp.write(whl)
+
+            additional_paths.append(os.path.join(tmpdir, wheel_name))
+
+        # Construct the arguments to be passed to the pip command
+        args = ["install", "--no-index", "--find-links", tmpdir]
+        if root:
+            args += ["--root", root]
+        if upgrade:
+            args += ["--upgrade"]
+        if user:
+            args += ["--user"]
+        if verbosity:
+            args += ["-" + "v" * verbosity]
+
+        _run_pip(args + [p[0] for p in _PROJECTS], additional_paths)
+    finally:
+        shutil.rmtree(tmpdir, ignore_errors=True)
+
+
+def _uninstall_helper(verbosity=0):
+    """Helper to support a clean default uninstall process on Windows
+
+    Note that calling this function may alter os.environ.
+    """
+    # Nothing to do if pip was never installed, or has been removed
+    try:
+        import pip
+    except ImportError:
+        return
+
+    # If the pip version doesn't match the bundled one, leave it alone
+    if pip.__version__ != _PIP_VERSION:
+        msg = ("ensurepip will only uninstall a matching version "
+               "({!r} installed, {!r} bundled)")
+        print(msg.format(pip.__version__, _PIP_VERSION), file=sys.stderr)
+        return
+
+    _require_ssl_for_pip()
+    _disable_pip_configuration_settings()
+
+    # Construct the arguments to be passed to the pip command
+    args = ["uninstall", "-y"]
+    if verbosity:
+        args += ["-" + "v" * verbosity]
+
+    _run_pip(args + [p[0] for p in reversed(_PROJECTS)])
+
+
+def _main(argv=None):
+    if ssl is None:
+        print("Ignoring ensurepip failure: {}".format(_MISSING_SSL_MESSAGE),
+              file=sys.stderr)
+        return
+
+    import argparse
+    parser = argparse.ArgumentParser(prog="python -m ensurepip")
+    parser.add_argument(
+        "--version",
+        action="version",
+        version="pip {}".format(version()),
+        help="Show the version of pip that is bundled with this Python.",
+    )
+    parser.add_argument(
+        "-v", "--verbose",
+        action="count",
+        default=0,
+        dest="verbosity",
+        help=("Give more output. Option is additive, and can be used up to 3 "
+              "times."),
+    )
+    parser.add_argument(
+        "-U", "--upgrade",
+        action="store_true",
+        default=False,
+        help="Upgrade pip and dependencies, even if already installed.",
+    )
+    parser.add_argument(
+        "--user",
+        action="store_true",
+        default=False,
+        help="Install using the user scheme.",
+    )
+    parser.add_argument(
+        "--root",
+        default=None,
+        help="Install everything relative to this alternate root directory.",
+    )
+    parser.add_argument(
+        "--altinstall",
+        action="store_true",
+        default=False,
+        help=("Make an alternate install, installing only the X.Y versioned"
+              "scripts (Default: pipX, pipX.Y, easy_install-X.Y)"),
+    )
+    parser.add_argument(
+        "--default-pip",
+        action="store_true",
+        default=True,
+        dest="default_pip",
+        help=argparse.SUPPRESS,
+    )
+    parser.add_argument(
+        "--no-default-pip",
+        action="store_false",
+        dest="default_pip",
+        help=("Make a non default install, installing only the X and X.Y "
+              "versioned scripts."),
+    )
+
+    args = parser.parse_args(argv)
+
+    bootstrap(
+        root=args.root,
+        upgrade=args.upgrade,
+        user=args.user,
+        verbosity=args.verbosity,
+        altinstall=args.altinstall,
+        default_pip=args.default_pip,
+    )
diff --git a/Lib/ensurepip/_bundled/pip-19.1-py2.py3-none-any.whl b/Lib/ensurepip/_bundled/pip-19.1-py2.py3-none-any.whl
new file mode 100644
index 0000000..2d3ac5d
Binary files /dev/null and b/Lib/ensurepip/_bundled/pip-19.1-py2.py3-none-any.whl differ
diff --git a/Lib/ensurepip/_bundled/setuptools-41.0.1-py2.py3-none-any.whl b/Lib/ensurepip/_bundled/setuptools-41.0.1-py2.py3-none-any.whl
new file mode 100644
index 0000000..92836e9
Binary files /dev/null and b/Lib/ensurepip/_bundled/setuptools-41.0.1-py2.py3-none-any.whl differ
diff --git a/NEWS b/NEWS
index 11dbcc7..88baaff 100644
--- a/NEWS
+++ b/NEWS
@@ -6,6 +6,13 @@ of that version.
 For more details of issue [ n ], please see https://hg.python.org/jython, or for tags [ GH-n ] see
 https://github.com/jythontools/jython
 
+Jython 2.7.3a1
+  Bugs fixed
+    - [  ] 
+
+  New Features
+    - 
+
 Jython 2.7.2
   same as 2.7.2rc1
 
diff --git a/build.gradle b/build.gradle
index 7b8d732..a331787 100644
--- a/build.gradle
+++ b/build.gradle
@@ -45,7 +45,7 @@ import java.text.SimpleDateFormat
 // Versions are specified in this grammar:
 // <major> . <minor> ( . <micro> )? ( <release> <serial> )? ( - <word> )?
 
-version = '2.7.2'
+version = '2.7.3a1'
 
 // Valid examples (please preserve in comments):
 //version = '2.7.2a2'
diff --git a/build.xml b/build.xml
index e442189..43ad428 100644
--- a/build.xml
+++ b/build.xml
@@ -105,11 +105,11 @@ informix.jar = ../support/jdbc-4.10.12.jar
              specify that suffix by -Dsnapshot.name on the ant command line. -->
         <property name="jython.major_version" value="2"/>
         <property name="jython.minor_version" value="7"/>
-        <property name="jython.micro_version" value="2"/>
-        <property name="jython.release_level" value="${PY_RELEASE_LEVEL_FINAL}"/>
+        <property name="jython.micro_version" value="3"/>
+        <property name="jython.release_level" value="${PY_RELEASE_LEVEL_ALPHA}"/>
 
         <!-- Zero at full release: one-up number for alpha, beta and candidate versions. -->
-        <property name="jython.release_serial" value="0"/>
+        <property name="jython.release_serial" value="1"/>
     </target>
 
     <target name="common-constants">
diff --git a/debian/changelog b/debian/changelog
index 15c7e20..dc0aaa1 100644
--- a/debian/changelog
+++ b/debian/changelog
@@ -1,3 +1,9 @@
+jython (2.7.2+repack1+git20200321.1.b8d7aa4-1) UNRELEASED; urgency=low
+
+  * New upstream snapshot.
+
+ -- Debian Janitor <janitor@jelmer.uk>  Sat, 28 May 2022 21:38:51 -0000
+
 jython (2.7.2+repack1-4) unstable; urgency=medium
 
   * Build-Depends: antlr3 (instead of antlr3.2; Closes: #995188)
diff --git a/extlibs/antlr-complete-3.5.2.jar b/extlibs/antlr-complete-3.5.2.jar
new file mode 100644
index 0000000..260de76
Binary files /dev/null and b/extlibs/antlr-complete-3.5.2.jar differ
diff --git a/extlibs/antlr-runtime-3.5.2.jar b/extlibs/antlr-runtime-3.5.2.jar
new file mode 100644
index 0000000..d48e3e8
Binary files /dev/null and b/extlibs/antlr-runtime-3.5.2.jar differ
diff --git a/extlibs/asm-7.1.jar b/extlibs/asm-7.1.jar
new file mode 100644
index 0000000..355eb08
Binary files /dev/null and b/extlibs/asm-7.1.jar differ
diff --git a/extlibs/asm-commons-7.1.jar b/extlibs/asm-commons-7.1.jar
new file mode 100644
index 0000000..31ffb98
Binary files /dev/null and b/extlibs/asm-commons-7.1.jar differ
diff --git a/extlibs/asm-util-7.1.jar b/extlibs/asm-util-7.1.jar
new file mode 100644
index 0000000..5e61f2c
Binary files /dev/null and b/extlibs/asm-util-7.1.jar differ
diff --git a/extlibs/bcpkix-jdk15on-1.62.jar b/extlibs/bcpkix-jdk15on-1.62.jar
new file mode 100644
index 0000000..d63da57
Binary files /dev/null and b/extlibs/bcpkix-jdk15on-1.62.jar differ
diff --git a/extlibs/bcprov-jdk15on-1.62.jar b/extlibs/bcprov-jdk15on-1.62.jar
new file mode 100644
index 0000000..c52b16e
Binary files /dev/null and b/extlibs/bcprov-jdk15on-1.62.jar differ
diff --git a/extlibs/commons-compress-1.19.jar b/extlibs/commons-compress-1.19.jar
new file mode 100644
index 0000000..5c9f52a
Binary files /dev/null and b/extlibs/commons-compress-1.19.jar differ
diff --git a/extlibs/cpptasks/cpptasks.jar b/extlibs/cpptasks/cpptasks.jar
new file mode 100644
index 0000000..1febc9c
Binary files /dev/null and b/extlibs/cpptasks/cpptasks.jar differ
diff --git a/extlibs/failureaccess-1.0.1.jar b/extlibs/failureaccess-1.0.1.jar
new file mode 100644
index 0000000..9b56dc7
Binary files /dev/null and b/extlibs/failureaccess-1.0.1.jar differ
diff --git a/extlibs/guava-28.0-android.jar b/extlibs/guava-28.0-android.jar
new file mode 100644
index 0000000..516fc5f
Binary files /dev/null and b/extlibs/guava-28.0-android.jar differ
diff --git a/extlibs/icu4j-59_1.jar b/extlibs/icu4j-59_1.jar
new file mode 100644
index 0000000..3dc69c8
Binary files /dev/null and b/extlibs/icu4j-59_1.jar differ
diff --git a/extlibs/jarjar-1.7.2.jar b/extlibs/jarjar-1.7.2.jar
new file mode 100644
index 0000000..305260e
Binary files /dev/null and b/extlibs/jarjar-1.7.2.jar differ
diff --git a/extlibs/java-sizeof-0.0.5.jar b/extlibs/java-sizeof-0.0.5.jar
new file mode 100644
index 0000000..23c555c
Binary files /dev/null and b/extlibs/java-sizeof-0.0.5.jar differ
diff --git a/extlibs/jffi-1.2.20.jar b/extlibs/jffi-1.2.20.jar
new file mode 100644
index 0000000..011e3af
Binary files /dev/null and b/extlibs/jffi-1.2.20.jar differ
diff --git a/extlibs/jffi-Darwin.jar b/extlibs/jffi-Darwin.jar
new file mode 100644
index 0000000..009191a
Binary files /dev/null and b/extlibs/jffi-Darwin.jar differ
diff --git a/extlibs/jffi-aarch64-Linux.jar b/extlibs/jffi-aarch64-Linux.jar
new file mode 100644
index 0000000..1d4438e
Binary files /dev/null and b/extlibs/jffi-aarch64-Linux.jar differ
diff --git a/extlibs/jffi-arm-Linux.jar b/extlibs/jffi-arm-Linux.jar
new file mode 100644
index 0000000..f9a048b
Binary files /dev/null and b/extlibs/jffi-arm-Linux.jar differ
diff --git a/extlibs/jffi-i386-FreeBSD.jar b/extlibs/jffi-i386-FreeBSD.jar
new file mode 100644
index 0000000..8235a34
Binary files /dev/null and b/extlibs/jffi-i386-FreeBSD.jar differ
diff --git a/extlibs/jffi-i386-Linux.jar b/extlibs/jffi-i386-Linux.jar
new file mode 100644
index 0000000..7e23b40
Binary files /dev/null and b/extlibs/jffi-i386-Linux.jar differ
diff --git a/extlibs/jffi-i386-OpenBSD.jar b/extlibs/jffi-i386-OpenBSD.jar
new file mode 100644
index 0000000..8235a34
Binary files /dev/null and b/extlibs/jffi-i386-OpenBSD.jar differ
diff --git a/extlibs/jffi-i386-SunOS.jar b/extlibs/jffi-i386-SunOS.jar
new file mode 100644
index 0000000..68bcacc
Binary files /dev/null and b/extlibs/jffi-i386-SunOS.jar differ
diff --git a/extlibs/jffi-i386-Windows.jar b/extlibs/jffi-i386-Windows.jar
new file mode 100644
index 0000000..90a6bae
Binary files /dev/null and b/extlibs/jffi-i386-Windows.jar differ
diff --git a/extlibs/jffi-ppc-AIX.jar b/extlibs/jffi-ppc-AIX.jar
new file mode 100644
index 0000000..eed0ab7
Binary files /dev/null and b/extlibs/jffi-ppc-AIX.jar differ
diff --git a/extlibs/jffi-ppc-Linux.jar b/extlibs/jffi-ppc-Linux.jar
new file mode 100644
index 0000000..8235a34
Binary files /dev/null and b/extlibs/jffi-ppc-Linux.jar differ
diff --git a/extlibs/jffi-ppc64-Linux.jar b/extlibs/jffi-ppc64-Linux.jar
new file mode 100644
index 0000000..cfae4bb
Binary files /dev/null and b/extlibs/jffi-ppc64-Linux.jar differ
diff --git a/extlibs/jffi-ppc64le-Linux.jar b/extlibs/jffi-ppc64le-Linux.jar
new file mode 100644
index 0000000..7931dd1
Binary files /dev/null and b/extlibs/jffi-ppc64le-Linux.jar differ
diff --git a/extlibs/jffi-s390x-Linux.jar b/extlibs/jffi-s390x-Linux.jar
new file mode 100644
index 0000000..8235a34
Binary files /dev/null and b/extlibs/jffi-s390x-Linux.jar differ
diff --git a/extlibs/jffi-sparc-SunOS.jar b/extlibs/jffi-sparc-SunOS.jar
new file mode 100644
index 0000000..8235a34
Binary files /dev/null and b/extlibs/jffi-sparc-SunOS.jar differ
diff --git a/extlibs/jffi-sparcv9-SunOS.jar b/extlibs/jffi-sparcv9-SunOS.jar
new file mode 100644
index 0000000..306788c
Binary files /dev/null and b/extlibs/jffi-sparcv9-SunOS.jar differ
diff --git a/extlibs/jffi-x86_64-FreeBSD.jar b/extlibs/jffi-x86_64-FreeBSD.jar
new file mode 100644
index 0000000..32824a7
Binary files /dev/null and b/extlibs/jffi-x86_64-FreeBSD.jar differ
diff --git a/extlibs/jffi-x86_64-Linux.jar b/extlibs/jffi-x86_64-Linux.jar
new file mode 100644
index 0000000..99deb01
Binary files /dev/null and b/extlibs/jffi-x86_64-Linux.jar differ
diff --git a/extlibs/jffi-x86_64-OpenBSD.jar b/extlibs/jffi-x86_64-OpenBSD.jar
new file mode 100644
index 0000000..3e14e03
Binary files /dev/null and b/extlibs/jffi-x86_64-OpenBSD.jar differ
diff --git a/extlibs/jffi-x86_64-SunOS.jar b/extlibs/jffi-x86_64-SunOS.jar
new file mode 100644
index 0000000..b824042
Binary files /dev/null and b/extlibs/jffi-x86_64-SunOS.jar differ
diff --git a/extlibs/jffi-x86_64-Windows.jar b/extlibs/jffi-x86_64-Windows.jar
new file mode 100644
index 0000000..667e48d
Binary files /dev/null and b/extlibs/jffi-x86_64-Windows.jar differ
diff --git a/extlibs/jline-2.14.5.jar b/extlibs/jline-2.14.5.jar
new file mode 100644
index 0000000..761acd4
Binary files /dev/null and b/extlibs/jline-2.14.5.jar differ
diff --git a/extlibs/jnr-constants-0.9.12.jar b/extlibs/jnr-constants-0.9.12.jar
new file mode 100644
index 0000000..d894741
Binary files /dev/null and b/extlibs/jnr-constants-0.9.12.jar differ
diff --git a/extlibs/jnr-ffi-2.1.10.jar b/extlibs/jnr-ffi-2.1.10.jar
new file mode 100644
index 0000000..d3382b5
Binary files /dev/null and b/extlibs/jnr-ffi-2.1.10.jar differ
diff --git a/extlibs/jnr-netdb-1.1.6.jar b/extlibs/jnr-netdb-1.1.6.jar
new file mode 100644
index 0000000..0f49b70
Binary files /dev/null and b/extlibs/jnr-netdb-1.1.6.jar differ
diff --git a/extlibs/jnr-posix-3.0.50.jar b/extlibs/jnr-posix-3.0.50.jar
new file mode 100644
index 0000000..1288fce
Binary files /dev/null and b/extlibs/jnr-posix-3.0.50.jar differ
diff --git a/extlibs/junit-4.10.jar b/extlibs/junit-4.10.jar
new file mode 100644
index 0000000..bf5c0b9
Binary files /dev/null and b/extlibs/junit-4.10.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/commons-logging-1.0.4.jar b/extlibs/mockrunner-0.4.1/jar/commons-logging-1.0.4.jar
new file mode 100644
index 0000000..b73a80f
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/commons-logging-1.0.4.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/j2ee1.3/servlet.jar b/extlibs/mockrunner-0.4.1/jar/j2ee1.3/servlet.jar
new file mode 100644
index 0000000..74329dc
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/j2ee1.3/servlet.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/jakarta-oro-2.0.8.jar b/extlibs/mockrunner-0.4.1/jar/jakarta-oro-2.0.8.jar
new file mode 100644
index 0000000..23488d2
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/jakarta-oro-2.0.8.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/jdom.jar b/extlibs/mockrunner-0.4.1/jar/jdom.jar
new file mode 100644
index 0000000..97c85f5
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/jdom.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/nekohtml.jar b/extlibs/mockrunner-0.4.1/jar/nekohtml.jar
new file mode 100644
index 0000000..0be0231
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/nekohtml.jar differ
diff --git a/extlibs/mockrunner-0.4.1/jar/xml-apis-2.11.0.jar b/extlibs/mockrunner-0.4.1/jar/xml-apis-2.11.0.jar
new file mode 100644
index 0000000..4673346
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/jar/xml-apis-2.11.0.jar differ
diff --git a/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/dependencies.txt b/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/dependencies.txt
new file mode 100644
index 0000000..cfa9a27
--- /dev/null
+++ b/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/dependencies.txt
@@ -0,0 +1,135 @@
+This file lists all the jar files provided by Mockrunner and
+the required third party libraries for each jar. Please note
+that this file is created automatically by analyzing the
+compile time dependencies of all classes in the jar. This
+is done recursively, i.e. the dependencies of the third-party
+jars are recognized as well. If you add all dependend jars
+for a specified mockrunner-xyz.jar to your classpath, you
+are on the safe side. However, not all listed dependencies
+are necessary at runtime in all cases. Especially with the 
+"all-in-one"-file mockrunner.jar you don't have to add everything 
+to the classpath. E.g. if you're only using EJB and JMS, you don't have 
+to add the web related jar files, because the necessary factories and modules 
+are created when they are used and lazy initialized respectively. 
+Please note that the Struts test framework only needs CGLib, if custom action
+mappings are used. The jasper related jar files are only necessary if
+the JasperJspFactory is used. If you only need one technology it's recommended 
+to use the  corresponding jar file instead of the "all-in-one" mockrunner.jar. 
+E.g. if you only want to use the JDBC test framework, you can use 
+mockrunner-jdbc.jar. Please note that each mockrunner-xyz.jar file contains a 
+jarversion.txt  which lists the Mockrunner version and the supported JDK and 
+J2EE version.
+
+Created: 06/26/2008 05:59 PM
+
+Jar file name: mockrunner-tag.jar
+
+Depends on: 
+
+commons-beanutils-1.7.0.jar
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jdom.jar
+junit.jar
+nekohtml.jar
+servlet.jar
+xercesImpl.jar
+xml-apis.jar
+
+
+Jar file name: mockrunner-jms.jar
+
+Depends on: 
+
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jboss-j2ee.jar
+junit.jar
+
+
+Jar file name: mockrunner-servlet.jar
+
+Depends on: 
+
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jdom.jar
+junit.jar
+nekohtml.jar
+servlet.jar
+xercesImpl.jar
+xml-apis.jar
+
+
+Jar file name: mockrunner.jar
+
+Depends on: 
+
+cglib-nodep-2.2.jar
+commons-beanutils-1.7.0.jar
+commons-digester-1.8.jar
+commons-logging-1.0.4.jar
+commons-validator-1.3.1.jar
+jakarta-oro-2.0.8.jar
+jboss-j2ee.jar
+jdom.jar
+junit.jar
+mockejb.jar
+nekohtml.jar
+servlet.jar
+struts.jar
+xercesImpl.jar
+xml-apis.jar
+
+
+Jar file name: mockrunner-jca.jar
+
+Depends on: 
+
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jboss-j2ee.jar
+junit.jar
+
+
+Jar file name: mockrunner-jdbc.jar
+
+Depends on: 
+
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jdom.jar
+junit.jar
+xml-apis.jar
+
+
+Jar file name: mockrunner-ejb.jar
+
+Depends on: 
+
+cglib-nodep-2.2.jar
+commons-beanutils-1.7.0.jar
+commons-logging-1.0.4.jar
+jakarta-oro-2.0.8.jar
+jboss-j2ee.jar
+junit.jar
+mockejb.jar
+
+
+Jar file name: mockrunner-struts.jar
+
+Depends on: 
+
+cglib-nodep-2.2.jar
+commons-beanutils-1.7.0.jar
+commons-digester-1.8.jar
+commons-logging-1.0.4.jar
+commons-validator-1.3.1.jar
+jakarta-oro-2.0.8.jar
+jdom.jar
+junit.jar
+nekohtml.jar
+servlet.jar
+struts.jar
+xercesImpl.jar
+xml-apis.jar
diff --git a/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/mockrunner-servlet.jar b/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/mockrunner-servlet.jar
new file mode 100644
index 0000000..a2b3bf9
Binary files /dev/null and b/extlibs/mockrunner-0.4.1/lib/jdk1.5/j2ee1.3/mockrunner-servlet.jar differ
diff --git a/extlibs/mockrunner-0.4.1/readme.txt b/extlibs/mockrunner-0.4.1/readme.txt
new file mode 100644
index 0000000..7afac71
--- /dev/null
+++ b/extlibs/mockrunner-0.4.1/readme.txt
@@ -0,0 +1,9 @@
+This contains the minimal set of jars from mockrunner-0.4.1 to run the modjy
+tests against j2ee1.3 with jdk1.5.
+
+These are run from the main Jython directory as part of "ant test",
+or from tests/modjy with "ant". In the latter case, JYTHON_HOME must
+be set to the project/dist folder and MOCKRUNNER_HOME to this folder.
+
+xml-apis-*.jar is added to mockrunner because it is needed for these tests,
+but not for Jython generally.
diff --git a/extlibs/mysql-connector-java-5.1.42-bin.jar b/extlibs/mysql-connector-java-5.1.42-bin.jar
new file mode 100644
index 0000000..4c6df38
Binary files /dev/null and b/extlibs/mysql-connector-java-5.1.42-bin.jar differ
diff --git a/extlibs/netty-buffer-4.1.45.Final.jar b/extlibs/netty-buffer-4.1.45.Final.jar
new file mode 100644
index 0000000..45d9ff2
Binary files /dev/null and b/extlibs/netty-buffer-4.1.45.Final.jar differ
diff --git a/extlibs/netty-codec-4.1.45.Final.jar b/extlibs/netty-codec-4.1.45.Final.jar
new file mode 100644
index 0000000..e8378e7
Binary files /dev/null and b/extlibs/netty-codec-4.1.45.Final.jar differ
diff --git a/extlibs/netty-common-4.1.45.Final.jar b/extlibs/netty-common-4.1.45.Final.jar
new file mode 100644
index 0000000..038f1f7
Binary files /dev/null and b/extlibs/netty-common-4.1.45.Final.jar differ
diff --git a/extlibs/netty-handler-4.1.45.Final.jar b/extlibs/netty-handler-4.1.45.Final.jar
new file mode 100644
index 0000000..ef3d012
Binary files /dev/null and b/extlibs/netty-handler-4.1.45.Final.jar differ
diff --git a/extlibs/netty-resolver-4.1.45.Final.jar b/extlibs/netty-resolver-4.1.45.Final.jar
new file mode 100644
index 0000000..defcf04
Binary files /dev/null and b/extlibs/netty-resolver-4.1.45.Final.jar differ
diff --git a/extlibs/netty-transport-4.1.45.Final.jar b/extlibs/netty-transport-4.1.45.Final.jar
new file mode 100644
index 0000000..2a16b1c
Binary files /dev/null and b/extlibs/netty-transport-4.1.45.Final.jar differ
diff --git a/extlibs/postgresql-42.1.1.jre7.jar b/extlibs/postgresql-42.1.1.jre7.jar
new file mode 100644
index 0000000..99b60a3
Binary files /dev/null and b/extlibs/postgresql-42.1.1.jre7.jar differ
diff --git a/extlibs/profile.jar b/extlibs/profile.jar
new file mode 100644
index 0000000..4c0af29
Binary files /dev/null and b/extlibs/profile.jar differ
diff --git a/extlibs/profile.properties b/extlibs/profile.properties
new file mode 100644
index 0000000..0acd965
--- /dev/null
+++ b/extlibs/profile.properties
@@ -0,0 +1,69 @@
+#
+# Is the profiler on or off when the app starts?
+# (on | off)
+# default = on
+#
+profiler=on
+#
+# Can the profiler be controlled remotely ?
+# (on | off)
+# default = off
+#
+remote=off
+#
+# TCP listen port for remote control
+# default =15599
+#
+port=15599
+#
+#
+#ClassLoaderFilter.1=com.mentorgen.tools.profile.instrument.clfilter.StandardClassLoaderFilter
+#
+# What is the maximum depth for thread dumps
+# (-1 means no limit)
+# default = -1
+# (you may also use 'compact')
+#
+thread-depth=compact
+#
+# When compacting thread dumps, what in the minimum total time you want
+# to show 
+# default = 10 (ms)
+#
+thread.compact.threshold.ms=1
+#
+# What is the maximum number of methods to show in the method dump
+# (-1 means no limit)
+# default = -1
+# (you may also use 'compact')
+#
+max-method-count=10
+#
+# defaults to 10
+#
+method.compact.threshold.ms=1
+#
+# What is the default file name for the profile information
+# default=./profile.txt
+#
+file=profile.txt
+#
+# What packages are excluded from the display
+# (comma separated)
+# Note: com.mentorgen.tools.profile is always excluded
+#
+include=python
+#
+# Track Object Allocation (very expensive)
+# values: on, off
+# default = off
+#
+#track.object.alloc=on
+#
+output=text
+#output-method-signatures=yes
+#profiler-class=net.sourceforge.jiprof.timeline.TimeLineProfiler
+#clock-resolution=ms
+
+output-summary-only=yes
+accept-class-loaders=org.python.core.BytecodeLoader
diff --git a/extlibs/servlet-api-2.5.jar b/extlibs/servlet-api-2.5.jar
new file mode 100644
index 0000000..fb52493
Binary files /dev/null and b/extlibs/servlet-api-2.5.jar differ
diff --git a/extlibs/xercesImpl-2.12.0.jar b/extlibs/xercesImpl-2.12.0.jar
new file mode 100644
index 0000000..b69d01d
Binary files /dev/null and b/extlibs/xercesImpl-2.12.0.jar differ
diff --git a/gradle/wrapper/gradle-wrapper.jar b/gradle/wrapper/gradle-wrapper.jar
new file mode 100644
index 0000000..1948b90
Binary files /dev/null and b/gradle/wrapper/gradle-wrapper.jar differ
diff --git a/lib-python/2.7/distutils/command/wininst-6.0.exe b/lib-python/2.7/distutils/command/wininst-6.0.exe
new file mode 100644
index 0000000..f57c855
Binary files /dev/null and b/lib-python/2.7/distutils/command/wininst-6.0.exe differ
diff --git a/lib-python/2.7/distutils/command/wininst-7.1.exe b/lib-python/2.7/distutils/command/wininst-7.1.exe
new file mode 100644
index 0000000..1433bc1
Binary files /dev/null and b/lib-python/2.7/distutils/command/wininst-7.1.exe differ
diff --git a/lib-python/2.7/distutils/command/wininst-8.0.exe b/lib-python/2.7/distutils/command/wininst-8.0.exe
new file mode 100644
index 0000000..7403bfa
Binary files /dev/null and b/lib-python/2.7/distutils/command/wininst-8.0.exe differ
diff --git a/lib-python/2.7/distutils/command/wininst-9.0-amd64.exe b/lib-python/2.7/distutils/command/wininst-9.0-amd64.exe
new file mode 100644
index 0000000..11d8011
Binary files /dev/null and b/lib-python/2.7/distutils/command/wininst-9.0-amd64.exe differ
diff --git a/lib-python/2.7/distutils/command/wininst-9.0.exe b/lib-python/2.7/distutils/command/wininst-9.0.exe
new file mode 100644
index 0000000..dadb31d
Binary files /dev/null and b/lib-python/2.7/distutils/command/wininst-9.0.exe differ
diff --git a/lib-python/2.7/ensurepip/__init__.py b/lib-python/2.7/ensurepip/__init__.py
new file mode 100644
index 0000000..98dae76
--- /dev/null
+++ b/lib-python/2.7/ensurepip/__init__.py
@@ -0,0 +1,227 @@
+#!/usr/bin/env python2
+from __future__ import print_function
+
+import os
+import os.path
+import pkgutil
+import shutil
+import sys
+import tempfile
+
+
+__all__ = ["version", "bootstrap"]
+
+
+_SETUPTOOLS_VERSION = "7.0"
+
+_PIP_VERSION = "1.5.6"
+
+# pip currently requires ssl support, so we try to provide a nicer
+# error message when that is missing (http://bugs.python.org/issue19744)
+_MISSING_SSL_MESSAGE = ("pip {} requires SSL/TLS".format(_PIP_VERSION))
+try:
+    import ssl
+except ImportError:
+    ssl = None
+
+    def _require_ssl_for_pip():
+        raise RuntimeError(_MISSING_SSL_MESSAGE)
+else:
+    def _require_ssl_for_pip():
+        pass
+
+_PROJECTS = [
+    ("setuptools", _SETUPTOOLS_VERSION),
+    ("pip", _PIP_VERSION),
+]
+
+
+def _run_pip(args, additional_paths=None):
+    # Add our bundled software to the sys.path so we can import it
+    if additional_paths is not None:
+        sys.path = additional_paths + sys.path
+
+    # Install the bundled software
+    import pip
+    pip.main(args)
+
+
+def version():
+    """
+    Returns a string specifying the bundled version of pip.
+    """
+    return _PIP_VERSION
+
+
+def _disable_pip_configuration_settings():
+    # We deliberately ignore all pip environment variables
+    # when invoking pip
+    # See http://bugs.python.org/issue19734 for details
+    keys_to_remove = [k for k in os.environ if k.startswith("PIP_")]
+    for k in keys_to_remove:
+        del os.environ[k]
+    # We also ignore the settings in the default pip configuration file
+    # See http://bugs.python.org/issue20053 for details
+    os.environ['PIP_CONFIG_FILE'] = os.devnull
+
+
+def bootstrap(root=None, upgrade=False, user=False,
+              altinstall=False, default_pip=True,
+              verbosity=0):
+    """
+    Bootstrap pip into the current Python installation (or the given root
+    directory).
+
+    Note that calling this function will alter both sys.path and os.environ.
+    """
+    if altinstall and default_pip:
+        raise ValueError("Cannot use altinstall and default_pip together")
+
+    _require_ssl_for_pip()
+    _disable_pip_configuration_settings()
+
+    # By default, installing pip and setuptools installs all of the
+    # following scripts (X.Y == running Python version):
+    #
+    #   pip, pipX, pipX.Y, easy_install, easy_install-X.Y
+    #
+    # pip 1.5+ allows ensurepip to request that some of those be left out
+    if altinstall:
+        # omit pip, pipX and easy_install
+        os.environ["ENSUREPIP_OPTIONS"] = "altinstall"
+    elif not default_pip:
+        # omit pip and easy_install
+        os.environ["ENSUREPIP_OPTIONS"] = "install"
+
+    tmpdir = tempfile.mkdtemp()
+    try:
+        # Put our bundled wheels into a temporary directory and construct the
+        # additional paths that need added to sys.path
+        additional_paths = []
+        for project, version in _PROJECTS:
+            wheel_name = "{}-{}-py2.py3-none-any.whl".format(project, version)
+            whl = pkgutil.get_data(
+                "ensurepip",
+                "_bundled/{}".format(wheel_name),
+            )
+            with open(os.path.join(tmpdir, wheel_name), "wb") as fp:
+                fp.write(whl)
+
+            additional_paths.append(os.path.join(tmpdir, wheel_name))
+
+        # Construct the arguments to be passed to the pip command
+        args = ["install", "--no-index", "--find-links", tmpdir]
+        if root:
+            args += ["--root", root]
+        if upgrade:
+            args += ["--upgrade"]
+        if user:
+            args += ["--user"]
+        if verbosity:
+            args += ["-" + "v" * verbosity]
+
+        _run_pip(args + [p[0] for p in _PROJECTS], additional_paths)
+    finally:
+        shutil.rmtree(tmpdir, ignore_errors=True)
+
+
+def _uninstall_helper(verbosity=0):
+    """Helper to support a clean default uninstall process on Windows
+
+    Note that calling this function may alter os.environ.
+    """
+    # Nothing to do if pip was never installed, or has been removed
+    try:
+        import pip
+    except ImportError:
+        return
+
+    # If the pip version doesn't match the bundled one, leave it alone
+    if pip.__version__ != _PIP_VERSION:
+        msg = ("ensurepip will only uninstall a matching version "
+               "({!r} installed, {!r} bundled)")
+        print(msg.format(pip.__version__, _PIP_VERSION), file=sys.stderr)
+        return
+
+    _require_ssl_for_pip()
+    _disable_pip_configuration_settings()
+
+    # Construct the arguments to be passed to the pip command
+    args = ["uninstall", "-y"]
+    if verbosity:
+        args += ["-" + "v" * verbosity]
+
+    _run_pip(args + [p[0] for p in reversed(_PROJECTS)])
+
+
+def _main(argv=None):
+    if ssl is None:
+        print("Ignoring ensurepip failure: {}".format(_MISSING_SSL_MESSAGE),
+              file=sys.stderr)
+        return
+
+    import argparse
+    parser = argparse.ArgumentParser(prog="python -m ensurepip")
+    parser.add_argument(
+        "--version",
+        action="version",
+        version="pip {}".format(version()),
+        help="Show the version of pip that is bundled with this Python.",
+    )
+    parser.add_argument(
+        "-v", "--verbose",
+        action="count",
+        default=0,
+        dest="verbosity",
+        help=("Give more output. Option is additive, and can be used up to 3 "
+              "times."),
+    )
+    parser.add_argument(
+        "-U", "--upgrade",
+        action="store_true",
+        default=False,
+        help="Upgrade pip and dependencies, even if already installed.",
+    )
+    parser.add_argument(
+        "--user",
+        action="store_true",
+        default=False,
+        help="Install using the user scheme.",
+    )
+    parser.add_argument(
+        "--root",
+        default=None,
+        help="Install everything relative to this alternate root directory.",
+    )
+    parser.add_argument(
+        "--altinstall",
+        action="store_true",
+        default=False,
+        help=("Make an alternate install, installing only the X.Y versioned"
+              "scripts (Default: pipX, pipX.Y, easy_install-X.Y)"),
+    )
+    parser.add_argument(
+        "--default-pip",
+        action="store_true",
+        default=True,
+        dest="default_pip",
+        help=argparse.SUPPRESS,
+    )
+    parser.add_argument(
+        "--no-default-pip",
+        action="store_false",
+        dest="default_pip",
+        help=("Make a non default install, installing only the X and X.Y "
+              "versioned scripts."),
+    )
+
+    args = parser.parse_args(argv)
+
+    bootstrap(
+        root=args.root,
+        upgrade=args.upgrade,
+        user=args.user,
+        verbosity=args.verbosity,
+        altinstall=args.altinstall,
+        default_pip=args.default_pip,
+    )
diff --git a/lib-python/2.7/ensurepip/__main__.py b/lib-python/2.7/ensurepip/__main__.py
new file mode 100644
index 0000000..77527d7
--- /dev/null
+++ b/lib-python/2.7/ensurepip/__main__.py
@@ -0,0 +1,4 @@
+import ensurepip
+
+if __name__ == "__main__":
+    ensurepip._main()
diff --git a/lib-python/2.7/ensurepip/_uninstall.py b/lib-python/2.7/ensurepip/_uninstall.py
new file mode 100644
index 0000000..750365e
--- /dev/null
+++ b/lib-python/2.7/ensurepip/_uninstall.py
@@ -0,0 +1,30 @@
+"""Basic pip uninstallation support, helper for the Windows uninstaller"""
+
+import argparse
+import ensurepip
+
+
+def _main(argv=None):
+    parser = argparse.ArgumentParser(prog="python -m ensurepip._uninstall")
+    parser.add_argument(
+        "--version",
+        action="version",
+        version="pip {}".format(ensurepip.version()),
+        help="Show the version of pip this will attempt to uninstall.",
+    )
+    parser.add_argument(
+        "-v", "--verbose",
+        action="count",
+        default=0,
+        dest="verbosity",
+        help=("Give more output. Option is additive, and can be used up to 3 "
+              "times."),
+    )
+
+    args = parser.parse_args(argv)
+
+    ensurepip._uninstall_helper(verbosity=args.verbosity)
+
+
+if __name__ == "__main__":
+    _main()
diff --git a/src/shell/jython.exe b/src/shell/jython.exe
new file mode 100755
index 0000000..56a6874
Binary files /dev/null and b/src/shell/jython.exe differ