$54 GRAYBYTE WORDPRESS FILE MANAGER $52

SERVER : premium201.web-hosting.com #1 SMP Wed Mar 26 12:08:09 UTC 2025
SERVER IP : 172.67.217.254 | ADMIN IP 216.73.216.180
OPTIONS : CRL = ON | WGT = ON | SDO = OFF | PKEX = OFF
DEACTIVATED : mail

/opt/alt/python311/lib64/python3.11/

HOME
Current File : /opt/alt/python311/lib64/python3.11//getopt.py
"""Parser for command line options.

This module helps scripts to parse the command line arguments in
sys.argv.  It supports the same conventions as the Unix getopt()
function (including the special meanings of arguments of the form `-'
and `--').  Long options similar to those supported by GNU software
may be used as well via an optional third argument.  This module
provides two functions and an exception:

getopt() -- Parse command line options
gnu_getopt() -- Like getopt(), but allow option and non-option arguments
to be intermixed.
GetoptError -- exception (class) raised with 'opt' attribute, which is the
option involved with the exception.
"""

# Long option support added by Lars Wirzenius <[email protected]>.
#
# Gerrit Holl <[email protected]> moved the string-based exceptions
# to class-based exceptions.
#
# Peter Åstrand <[email protected]> added gnu_getopt().
#
# TODO for gnu_getopt():
#
# - GNU getopt_long_only mechanism
# - allow the caller to specify ordering
# - RETURN_IN_ORDER option
# - GNU extension with '-' as first character of option string
# - optional arguments, specified by double colons
# - an option string with a W followed by semicolon should
#   treat "-W foo" as "--foo"

__all__ = ["GetoptError","error","getopt","gnu_getopt"]

import os
try:
    from gettext import gettext as _
except ImportError:
    # Bootstrapping Python: gettext's dependencies not built yet
    def _(s): return s

class GetoptError(Exception):
    opt = ''
    msg = ''
    def __init__(self, msg, opt=''):
        self.msg = msg
        self.opt = opt
        Exception.__init__(self, msg, opt)

    def __str__(self):
        return self.msg

error = GetoptError # backward compatibility

def getopt(args, shortopts, longopts = []):
    """getopt(args, options[, long_options]) -> opts, args

    Parses command line options and parameter list.  args is the
    argument list to be parsed, without the leading reference to the
    running program.  Typically, this means "sys.argv[1:]".  shortopts
    is the string of option letters that the script wants to
    recognize, with options that require an argument followed by a
    colon (i.e., the same format that Unix getopt() uses).  If
    specified, longopts is a list of strings with the names of the
    long options which should be supported.  The leading '--'
    characters should not be included in the option name.  Options
    which require an argument should be followed by an equal sign
    ('=').

    The return value consists of two elements: the first is a list of
    (option, value) pairs; the second is the list of program arguments
    left after the option list was stripped (this is a trailing slice
    of the first argument).  Each option-and-value pair returned has
    the option as its first element, prefixed with a hyphen (e.g.,
    '-x'), and the option argument as its second element, or an empty
    string if the option has no argument.  The options occur in the
    list in the same order in which they were found, thus allowing
    multiple occurrences.  Long and short options may be mixed.

    """

    opts = []
    if type(longopts) == type(""):
        longopts = [longopts]
    else:
        longopts = list(longopts)
    while args and args[0].startswith('-') and args[0] != '-':
        if args[0] == '--':
            args = args[1:]
            break
        if args[0].startswith('--'):
            opts, args = do_longs(opts, args[0][2:], longopts, args[1:])
        else:
            opts, args = do_shorts(opts, args[0][1:], shortopts, args[1:])

    return opts, args

def gnu_getopt(args, shortopts, longopts = []):
    """getopt(args, options[, long_options]) -> opts, args

    This function works like getopt(), except that GNU style scanning
    mode is used by default. This means that option and non-option
    arguments may be intermixed. The getopt() function stops
    processing options as soon as a non-option argument is
    encountered.

    If the first character of the option string is `+', or if the
    environment variable POSIXLY_CORRECT is set, then option
    processing stops as soon as a non-option argument is encountered.

    """

    opts = []
    prog_args = []
    if isinstance(longopts, str):
        longopts = [longopts]
    else:
        longopts = list(longopts)

    # Allow options after non-option arguments?
    if shortopts.startswith('+'):
        shortopts = shortopts[1:]
        all_options_first = True
    elif os.environ.get("POSIXLY_CORRECT"):
        all_options_first = True
    else:
        all_options_first = False

    while args:
        if args[0] == '--':
            prog_args += args[1:]
            break

        if args[0][:2] == '--':
            opts, args = do_longs(opts, args[0][2:], longopts, args[1:])
        elif args[0][:1] == '-' and args[0] != '-':
            opts, args = do_shorts(opts, args[0][1:], shortopts, args[1:])
        else:
            if all_options_first:
                prog_args += args
                break
            else:
                prog_args.append(args[0])
                args = args[1:]

    return opts, prog_args

def do_longs(opts, opt, longopts, args):
    try:
        i = opt.index('=')
    except ValueError:
        optarg = None
    else:
        opt, optarg = opt[:i], opt[i+1:]

    has_arg, opt = long_has_args(opt, longopts)
    if has_arg:
        if optarg is None:
            if not args:
                raise GetoptError(_('option --%s requires argument') % opt, opt)
            optarg, args = args[0], args[1:]
    elif optarg is not None:
        raise GetoptError(_('option --%s must not have an argument') % opt, opt)
    opts.append(('--' + opt, optarg or ''))
    return opts, args

# Return:
#   has_arg?
#   full option name
def long_has_args(opt, longopts):
    possibilities = [o for o in longopts if o.startswith(opt)]
    if not possibilities:
        raise GetoptError(_('option --%s not recognized') % opt, opt)
    # Is there an exact match?
    if opt in possibilities:
        return False, opt
    elif opt + '=' in possibilities:
        return True, opt
    # No exact match, so better be unique.
    if len(possibilities) > 1:
        # XXX since possibilities contains all valid continuations, might be
        # nice to work them into the error msg
        raise GetoptError(_('option --%s not a unique prefix') % opt, opt)
    assert len(possibilities) == 1
    unique_match = possibilities[0]
    has_arg = unique_match.endswith('=')
    if has_arg:
        unique_match = unique_match[:-1]
    return has_arg, unique_match

def do_shorts(opts, optstring, shortopts, args):
    while optstring != '':
        opt, optstring = optstring[0], optstring[1:]
        if short_has_arg(opt, shortopts):
            if optstring == '':
                if not args:
                    raise GetoptError(_('option -%s requires argument') % opt,
                                      opt)
                optstring, args = args[0], args[1:]
            optarg, optstring = optstring, ''
        else:
            optarg = ''
        opts.append(('-' + opt, optarg))
    return opts, args

def short_has_arg(opt, shortopts):
    for i in range(len(shortopts)):
        if opt == shortopts[i] != ':':
            return shortopts.startswith(':', i+1)
    raise GetoptError(_('option -%s not recognized') % opt, opt)

if __name__ == '__main__':
    import sys
    print(getopt(sys.argv[1:], "a:b", ["alpha=", "beta"]))


Current_dir [ NOT WRITEABLE ] Document_root [ NOT WRITEABLE ]


[ Back ]
NAME
SIZE
LAST TOUCH
USER
CAN-I?
FUNCTIONS
..
--
10 Feb 2026 9.37 AM
root / root
0755
__pycache__
--
10 Feb 2026 9.36 AM
root / linksafe
0755
asyncio
--
10 Feb 2026 9.36 AM
root / linksafe
0755
collections
--
10 Feb 2026 9.36 AM
root / linksafe
0755
concurrent
--
10 Feb 2026 9.36 AM
root / linksafe
0755
config-3.11-x86_64-linux-gnu
--
10 Feb 2026 9.37 AM
root / linksafe
0755
ctypes
--
10 Feb 2026 9.36 AM
root / linksafe
0755
curses
--
10 Feb 2026 9.36 AM
root / linksafe
0755
dbm
--
10 Feb 2026 9.36 AM
root / linksafe
0755
distutils
--
10 Feb 2026 9.36 AM
root / linksafe
0755
email
--
10 Feb 2026 9.36 AM
root / linksafe
0755
encodings
--
10 Feb 2026 9.36 AM
root / linksafe
0755
ensurepip
--
10 Feb 2026 9.36 AM
root / linksafe
0755
html
--
10 Feb 2026 9.36 AM
root / linksafe
0755
http
--
10 Feb 2026 9.36 AM
root / linksafe
0755
importlib
--
10 Feb 2026 9.36 AM
root / linksafe
0755
json
--
10 Feb 2026 9.36 AM
root / linksafe
0755
lib-dynload
--
10 Feb 2026 9.36 AM
root / linksafe
0755
lib2to3
--
10 Feb 2026 9.39 AM
root / linksafe
0755
logging
--
10 Feb 2026 9.36 AM
root / linksafe
0755
multiprocessing
--
10 Feb 2026 9.36 AM
root / linksafe
0755
pydoc_data
--
10 Feb 2026 9.36 AM
root / linksafe
0755
re
--
10 Feb 2026 9.36 AM
root / linksafe
0755
site-packages
--
10 Feb 2026 9.36 AM
root / linksafe
0755
sqlite3
--
10 Feb 2026 9.36 AM
root / linksafe
0755
tomllib
--
10 Feb 2026 9.36 AM
root / linksafe
0755
unittest
--
10 Feb 2026 9.36 AM
root / linksafe
0755
urllib
--
10 Feb 2026 9.36 AM
root / linksafe
0755
venv
--
10 Feb 2026 9.36 AM
root / linksafe
0755
wsgiref
--
10 Feb 2026 9.36 AM
root / linksafe
0755
xml
--
10 Feb 2026 9.36 AM
root / linksafe
0755
xmlrpc
--
10 Feb 2026 9.36 AM
root / linksafe
0755
zoneinfo
--
10 Feb 2026 9.36 AM
root / linksafe
0755
LICENSE.txt
13.609 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
__future__.py
5.096 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
__hello__.py
0.222 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_aix_support.py
3.31 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_bootsubprocess.py
2.612 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_collections_abc.py
29.485 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_compat_pickle.py
8.556 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_compression.py
5.548 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_markupbase.py
14.31 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_osx_support.py
21.507 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_py_abc.py
6.044 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_pydecimal.py
223.83 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_pyio.py
91.985 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_sitebuiltins.py
3.055 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_strptime.py
24.585 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_sysconfigdata__linux_x86_64-linux-gnu.py
57.282 KB
7 Jan 2026 10.44 PM
root / linksafe
0644
_sysconfigdata_d_linux_x86_64-linux-gnu.py
56.524 KB
7 Jan 2026 10.28 PM
root / linksafe
0644
_threading_local.py
7.051 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
_weakrefset.py
5.755 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
abc.py
6.385 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
aifc.py
33.409 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
antigravity.py
0.488 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
argparse.py
97.933 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
ast.py
60.004 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
asynchat.py
11.299 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
asyncore.py
19.834 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
base64.py
20.548 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
bdb.py
31.702 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
bisect.py
3.062 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
bz2.py
11.569 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
cProfile.py
6.21 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
calendar.py
24.151 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
cgi.py
33.625 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
cgitb.py
12.13 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
chunk.py
5.371 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
cmd.py
14.524 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
code.py
10.373 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
codecs.py
36.279 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
codeop.py
5.769 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
colorsys.py
3.967 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
compileall.py
19.777 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
configparser.py
54.355 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
contextlib.py
26.771 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
contextvars.py
0.126 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
copy.py
8.478 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
copyreg.py
7.497 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
crypt.py
3.821 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
csv.py
15.654 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
dataclasses.py
57.102 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
datetime.py
89.68 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
decimal.py
0.313 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
difflib.py
81.355 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
dis.py
28.229 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
doctest.py
103.806 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
enum.py
77.718 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
filecmp.py
9.939 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
fileinput.py
15.346 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
fnmatch.py
5.858 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
fractions.py
28.005 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
ftplib.py
34.976 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
functools.py
37.513 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
genericpath.py
5.123 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
getopt.py
7.313 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
getpass.py
5.85 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
gettext.py
20.82 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
glob.py
8.527 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
graphlib.py
9.43 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
gzip.py
23.51 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
hashlib.py
11.489 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
heapq.py
22.484 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
hmac.py
7.535 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
imaplib.py
53.923 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
imghdr.py
3.859 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
imp.py
10.357 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
inspect.py
120.526 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
io.py
4.219 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
ipaddress.py
79.506 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
keyword.py
1.036 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
linecache.py
5.517 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
locale.py
77.241 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
lzma.py
12.966 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
mailbox.py
76.982 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
mailcap.py
9.149 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
mimetypes.py
22.424 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
modulefinder.py
23.144 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
netrc.py
6.767 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
nntplib.py
40.124 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
ntpath.py
29.967 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
nturl2path.py
2.819 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
numbers.py
10.105 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
opcode.py
10.202 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
operator.py
10.708 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
optparse.py
58.954 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
os.py
38.604 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pathlib.py
47.428 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pdb.py
62.682 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
pickle.py
63.605 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pickletools.py
91.661 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pipes.py
8.768 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pkgutil.py
24.061 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
platform.py
41.296 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
plistlib.py
27.689 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
poplib.py
14.842 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
posixpath.py
16.796 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pprint.py
24.007 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
profile.py
22.359 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
pstats.py
28.668 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pty.py
6.169 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
py_compile.py
7.653 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pyclbr.py
11.129 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
pydoc.py
110.023 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
queue.py
11.227 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
quopri.py
7.11 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
random.py
31.408 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
reprlib.py
5.31 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
rlcompleter.py
7.644 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
runpy.py
12.851 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sched.py
6.202 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
secrets.py
1.98 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
selectors.py
19.21 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
shelve.py
8.359 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
shlex.py
13.185 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
shutil.py
55.192 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
signal.py
2.437 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
site.py
22.448 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
smtpd.py
30.444 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
smtplib.py
44.366 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
sndhdr.py
7.273 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
socket.py
36.677 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
socketserver.py
26.939 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sre_compile.py
0.226 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sre_constants.py
0.227 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sre_parse.py
0.224 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
ssl.py
53.032 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
stat.py
5.356 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
statistics.py
46.587 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
string.py
11.51 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
stringprep.py
12.614 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
struct.py
0.251 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
subprocess.py
86.646 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sunau.py
18.047 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
symtable.py
10.125 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
sysconfig.py
29.604 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
tabnanny.py
11.047 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
tarfile.py
109.333 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
telnetlib.py
22.755 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
tempfile.py
31.126 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
textwrap.py
19.256 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
this.py
0.979 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
threading.py
56.866 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
timeit.py
13.215 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
token.py
2.33 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
tokenize.py
25.719 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
trace.py
28.512 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
traceback.py
39.597 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
tracemalloc.py
17.624 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
tty.py
0.858 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
types.py
9.831 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
typing.py
118.116 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
uu.py
7.169 KB
7 Jan 2026 10.45 PM
root / linksafe
0644
uuid.py
26.95 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
warnings.py
20.615 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
wave.py
21.307 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
weakref.py
21.009 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
webbrowser.py
24.56 KB
9 Oct 2025 4.16 PM
root / linksafe
0755
xdrlib.py
5.837 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
zipapp.py
7.358 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
zipfile.py
92.233 KB
9 Oct 2025 4.16 PM
root / linksafe
0644
zipimport.py
30.173 KB
9 Oct 2025 4.16 PM
root / linksafe
0644

GRAYBYTE WORDPRESS FILE MANAGER @ 2025 CONTACT ME
Static GIF