$20 GRAYBYTE WORDPRESS FILE MANAGER $68

SERVER : vnpttt-amd7f72-h1.vietnix.vn #1 SMP Fri May 24 12:42:50 UTC 2024
SERVER IP : 103.200.23.149 | ADMIN IP 216.73.216.22
OPTIONS : CRL = ON | WGT = ON | SDO = OFF | PKEX = OFF
DEACTIVATED : NONE

/usr/lib64/python3.12/

HOME
Current File : /usr/lib64/python3.12//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 <liw@iki.fi>.
#
# Gerrit Holl <gerrit@nl.linux.org> moved the string-based exceptions
# to class-based exceptions.
#
# Peter Åstrand <astrand@lysator.liu.se> 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 isinstance(longopts, str):
        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 [ WRITEABLE ]


[ Back ]
NAME
SIZE
LAST TOUCH
USER
CAN-I?
FUNCTIONS
..
--
19 Mar 2026 1.38 PM
root / root
0555
__pycache__
--
9 Dec 2025 9.24 PM
root / root
0755
asyncio
--
9 Dec 2025 9.24 PM
root / root
0755
collections
--
9 Dec 2025 9.24 PM
root / root
0755
concurrent
--
9 Dec 2025 9.24 PM
root / root
0755
config-3.12-x86_64-linux-gnu
--
9 Dec 2025 9.24 PM
root / root
0755
ctypes
--
9 Dec 2025 9.24 PM
root / root
0755
curses
--
9 Dec 2025 9.24 PM
root / root
0755
dbm
--
9 Dec 2025 9.24 PM
root / root
0755
email
--
9 Dec 2025 9.24 PM
root / root
0755
encodings
--
9 Dec 2025 9.24 PM
root / root
0755
ensurepip
--
9 Dec 2025 9.24 PM
root / root
0755
html
--
9 Dec 2025 9.24 PM
root / root
0755
http
--
9 Dec 2025 9.24 PM
root / root
0755
importlib
--
9 Dec 2025 9.24 PM
root / root
0755
json
--
9 Dec 2025 9.24 PM
root / root
0755
lib-dynload
--
9 Dec 2025 9.24 PM
root / root
0755
lib2to3
--
9 Dec 2025 9.24 PM
root / root
0755
logging
--
9 Dec 2025 9.24 PM
root / root
0755
multiprocessing
--
9 Dec 2025 9.24 PM
root / root
0755
pydoc_data
--
9 Dec 2025 9.24 PM
root / root
0755
re
--
9 Dec 2025 9.24 PM
root / root
0755
site-packages
--
9 Dec 2025 9.24 PM
root / root
0755
sqlite3
--
9 Dec 2025 9.24 PM
root / root
0755
tkinter
--
9 Dec 2025 9.24 PM
root / root
0755
tomllib
--
9 Dec 2025 9.24 PM
root / root
0755
turtledemo
--
9 Dec 2025 9.24 PM
root / root
0755
unittest
--
9 Dec 2025 9.24 PM
root / root
0755
urllib
--
9 Dec 2025 9.24 PM
root / root
0755
venv
--
9 Dec 2025 9.24 PM
root / root
0755
wsgiref
--
9 Dec 2025 9.24 PM
root / root
0755
xml
--
9 Dec 2025 9.24 PM
root / root
0755
xmlrpc
--
9 Dec 2025 9.24 PM
root / root
0755
zipfile
--
9 Dec 2025 9.24 PM
root / root
0755
zoneinfo
--
9 Dec 2025 9.24 PM
root / root
0755
LICENSE.txt
13.609 KB
3 Jun 2025 10.41 PM
root / root
0644
__future__.py
5.096 KB
3 Jun 2025 10.41 PM
root / root
0644
__hello__.py
0.222 KB
3 Jun 2025 10.41 PM
root / root
0644
_aix_support.py
3.927 KB
3 Jun 2025 10.41 PM
root / root
0644
_collections_abc.py
31.337 KB
3 Jun 2025 10.41 PM
root / root
0644
_compat_pickle.py
8.556 KB
3 Jun 2025 10.41 PM
root / root
0644
_compression.py
5.548 KB
3 Jun 2025 10.41 PM
root / root
0644
_markupbase.py
14.31 KB
3 Jun 2025 10.41 PM
root / root
0644
_osx_support.py
21.507 KB
3 Jun 2025 10.41 PM
root / root
0644
_py_abc.py
6.044 KB
3 Jun 2025 10.41 PM
root / root
0644
_pydatetime.py
89.929 KB
3 Jun 2025 10.41 PM
root / root
0644
_pydecimal.py
221.956 KB
3 Jun 2025 10.41 PM
root / root
0644
_pyio.py
91.399 KB
3 Jun 2025 10.41 PM
root / root
0644
_pylong.py
10.537 KB
3 Jun 2025 10.41 PM
root / root
0644
_sitebuiltins.py
3.055 KB
3 Jun 2025 10.41 PM
root / root
0644
_strptime.py
27.728 KB
3 Jun 2025 10.41 PM
root / root
0644
_sysconfigdata__linux_x86_64-linux-gnu.py
70.441 KB
26 Aug 2025 4.03 PM
root / root
0644
_threading_local.py
7.051 KB
3 Jun 2025 10.41 PM
root / root
0644
_weakrefset.py
5.755 KB
3 Jun 2025 10.41 PM
root / root
0644
abc.py
6.385 KB
3 Jun 2025 10.41 PM
root / root
0644
aifc.py
33.409 KB
3 Jun 2025 10.41 PM
root / root
0644
antigravity.py
0.488 KB
3 Jun 2025 10.41 PM
root / root
0644
argparse.py
98.784 KB
3 Jun 2025 10.41 PM
root / root
0644
ast.py
62.941 KB
3 Jun 2025 10.41 PM
root / root
0644
base64.py
20.15 KB
3 Jun 2025 10.41 PM
root / root
0755
bdb.py
32.786 KB
3 Jun 2025 10.41 PM
root / root
0644
bisect.py
3.343 KB
3 Jun 2025 10.41 PM
root / root
0644
bz2.py
11.569 KB
3 Jun 2025 10.41 PM
root / root
0644
cProfile.py
6.401 KB
3 Jun 2025 10.41 PM
root / root
0755
calendar.py
25.258 KB
3 Jun 2025 10.41 PM
root / root
0644
cgi.py
33.611 KB
3 Jun 2025 10.41 PM
root / root
0755
cgitb.py
12.13 KB
3 Jun 2025 10.41 PM
root / root
0644
chunk.py
5.371 KB
3 Jun 2025 10.41 PM
root / root
0644
cmd.py
14.524 KB
3 Jun 2025 10.41 PM
root / root
0644
code.py
10.705 KB
3 Jun 2025 10.41 PM
root / root
0644
codecs.py
36.006 KB
3 Jun 2025 10.41 PM
root / root
0644
codeop.py
5.77 KB
3 Jun 2025 10.41 PM
root / root
0644
colorsys.py
3.967 KB
3 Jun 2025 10.41 PM
root / root
0644
compileall.py
20.026 KB
3 Jun 2025 10.41 PM
root / root
0644
configparser.py
52.528 KB
3 Jun 2025 10.41 PM
root / root
0644
contextlib.py
26.989 KB
3 Jun 2025 10.41 PM
root / root
0644
contextvars.py
0.126 KB
3 Jun 2025 10.41 PM
root / root
0644
copy.py
8.215 KB
3 Jun 2025 10.41 PM
root / root
0644
copyreg.py
7.436 KB
3 Jun 2025 10.41 PM
root / root
0644
crypt.py
3.821 KB
3 Jun 2025 10.41 PM
root / root
0644
csv.py
16.002 KB
3 Jun 2025 10.41 PM
root / root
0644
dataclasses.py
60.63 KB
3 Jun 2025 10.41 PM
root / root
0644
datetime.py
0.262 KB
3 Jun 2025 10.41 PM
root / root
0644
decimal.py
2.739 KB
3 Jun 2025 10.41 PM
root / root
0644
difflib.py
81.414 KB
3 Jun 2025 10.41 PM
root / root
0644
dis.py
29.519 KB
3 Jun 2025 10.41 PM
root / root
0644
doctest.py
104.247 KB
3 Jun 2025 10.41 PM
root / root
0644
enum.py
79.629 KB
3 Jun 2025 10.41 PM
root / root
0644
filecmp.py
10.138 KB
3 Jun 2025 10.41 PM
root / root
0644
fileinput.py
15.346 KB
3 Jun 2025 10.41 PM
root / root
0644
fnmatch.py
5.858 KB
3 Jun 2025 10.41 PM
root / root
0644
fractions.py
37.253 KB
3 Jun 2025 10.41 PM
root / root
0644
ftplib.py
33.921 KB
3 Jun 2025 10.41 PM
root / root
0644
functools.py
37.051 KB
3 Jun 2025 10.41 PM
root / root
0644
genericpath.py
5.441 KB
3 Jun 2025 10.41 PM
root / root
0644
getopt.py
7.313 KB
3 Jun 2025 10.41 PM
root / root
0644
getpass.py
5.85 KB
3 Jun 2025 10.41 PM
root / root
0644
gettext.py
20.82 KB
3 Jun 2025 10.41 PM
root / root
0644
glob.py
8.527 KB
3 Jun 2025 10.41 PM
root / root
0644
graphlib.py
9.422 KB
3 Jun 2025 10.41 PM
root / root
0644
gzip.py
24.807 KB
3 Jun 2025 10.41 PM
root / root
0644
hashlib.py
9.456 KB
26 Aug 2025 3.53 PM
root / root
0644
heapq.py
22.484 KB
3 Jun 2025 10.41 PM
root / root
0644
hmac.py
7.854 KB
26 Aug 2025 3.53 PM
root / root
0644
imaplib.py
52.773 KB
3 Jun 2025 10.41 PM
root / root
0644
imghdr.py
4.295 KB
3 Jun 2025 10.41 PM
root / root
0644
inspect.py
124.146 KB
3 Jun 2025 10.41 PM
root / root
0644
io.py
3.498 KB
3 Jun 2025 10.41 PM
root / root
0644
ipaddress.py
79.506 KB
3 Jun 2025 10.41 PM
root / root
0644
keyword.py
1.048 KB
3 Jun 2025 10.41 PM
root / root
0644
linecache.py
5.664 KB
3 Jun 2025 10.41 PM
root / root
0644
locale.py
76.757 KB
3 Jun 2025 10.41 PM
root / root
0644
lzma.py
12.966 KB
3 Jun 2025 10.41 PM
root / root
0644
mailbox.py
77.062 KB
3 Jun 2025 10.41 PM
root / root
0644
mailcap.py
9.114 KB
3 Jun 2025 10.41 PM
root / root
0644
mimetypes.py
22.497 KB
3 Jun 2025 10.41 PM
root / root
0644
modulefinder.py
23.144 KB
3 Jun 2025 10.41 PM
root / root
0644
netrc.py
6.76 KB
3 Jun 2025 10.41 PM
root / root
0644
nntplib.py
40.124 KB
3 Jun 2025 10.41 PM
root / root
0644
ntpath.py
31.566 KB
3 Jun 2025 10.41 PM
root / root
0644
nturl2path.py
2.318 KB
3 Jun 2025 10.41 PM
root / root
0644
numbers.py
11.198 KB
3 Jun 2025 10.41 PM
root / root
0644
opcode.py
12.865 KB
3 Jun 2025 10.41 PM
root / root
0644
operator.py
10.708 KB
3 Jun 2025 10.41 PM
root / root
0644
optparse.py
58.954 KB
3 Jun 2025 10.41 PM
root / root
0644
os.py
39.864 KB
3 Jun 2025 10.41 PM
root / root
0644
pathlib.py
49.855 KB
3 Jun 2025 10.41 PM
root / root
0644
pdb.py
68.649 KB
3 Jun 2025 10.41 PM
root / root
0755
pickle.py
65.343 KB
3 Jun 2025 10.41 PM
root / root
0644
pickletools.py
91.848 KB
3 Jun 2025 10.41 PM
root / root
0644
pipes.py
8.768 KB
3 Jun 2025 10.41 PM
root / root
0644
pkgutil.py
17.853 KB
3 Jun 2025 10.41 PM
root / root
0644
platform.py
42.371 KB
3 Jun 2025 10.41 PM
root / root
0755
plistlib.py
27.678 KB
3 Jun 2025 10.41 PM
root / root
0644
poplib.py
14.276 KB
3 Jun 2025 10.41 PM
root / root
0644
posixpath.py
17.073 KB
3 Jun 2025 10.41 PM
root / root
0644
pprint.py
23.592 KB
3 Jun 2025 10.41 PM
root / root
0644
profile.py
22.551 KB
3 Jun 2025 10.41 PM
root / root
0755
pstats.py
28.603 KB
3 Jun 2025 10.41 PM
root / root
0644
pty.py
5.993 KB
3 Jun 2025 10.41 PM
root / root
0644
py_compile.py
7.653 KB
3 Jun 2025 10.41 PM
root / root
0644
pyclbr.py
11.129 KB
3 Jun 2025 10.41 PM
root / root
0644
pydoc.py
110.848 KB
3 Jun 2025 10.41 PM
root / root
0755
queue.py
11.227 KB
3 Jun 2025 10.41 PM
root / root
0644
quopri.py
7.015 KB
3 Jun 2025 10.41 PM
root / root
0755
random.py
33.876 KB
3 Jun 2025 10.41 PM
root / root
0644
reprlib.py
6.98 KB
3 Jun 2025 10.41 PM
root / root
0644
rlcompleter.py
7.644 KB
3 Jun 2025 10.41 PM
root / root
0644
runpy.py
12.583 KB
3 Jun 2025 10.41 PM
root / root
0644
sched.py
6.202 KB
3 Jun 2025 10.41 PM
root / root
0644
secrets.py
1.938 KB
3 Jun 2025 10.41 PM
root / root
0644
selectors.py
19.21 KB
3 Jun 2025 10.41 PM
root / root
0644
shelve.py
8.359 KB
3 Jun 2025 10.41 PM
root / root
0644
shlex.py
13.04 KB
3 Jun 2025 10.41 PM
root / root
0644
shutil.py
55.432 KB
3 Jun 2025 10.41 PM
root / root
0644
signal.py
2.437 KB
3 Jun 2025 10.41 PM
root / root
0644
site.py
22.89 KB
26 Aug 2025 3.53 PM
root / root
0644
smtplib.py
42.511 KB
3 Jun 2025 10.41 PM
root / root
0755
sndhdr.py
7.273 KB
3 Jun 2025 10.41 PM
root / root
0644
socket.py
36.929 KB
3 Jun 2025 10.41 PM
root / root
0644
socketserver.py
27.407 KB
3 Jun 2025 10.41 PM
root / root
0644
sre_compile.py
0.226 KB
3 Jun 2025 10.41 PM
root / root
0644
sre_constants.py
0.227 KB
3 Jun 2025 10.41 PM
root / root
0644
sre_parse.py
0.224 KB
3 Jun 2025 10.41 PM
root / root
0644
ssl.py
49.711 KB
3 Jun 2025 10.41 PM
root / root
0644
stat.py
5.356 KB
3 Jun 2025 10.41 PM
root / root
0644
statistics.py
49.05 KB
3 Jun 2025 10.41 PM
root / root
0644
string.py
11.51 KB
3 Jun 2025 10.41 PM
root / root
0644
stringprep.py
12.614 KB
3 Jun 2025 10.41 PM
root / root
0644
struct.py
0.251 KB
3 Jun 2025 10.41 PM
root / root
0644
subprocess.py
86.667 KB
3 Jun 2025 10.41 PM
root / root
0644
sunau.py
18.045 KB
3 Jun 2025 10.41 PM
root / root
0644
symtable.py
12.185 KB
3 Jun 2025 10.41 PM
root / root
0644
sysconfig.py
32.981 KB
26 Aug 2025 4.04 PM
root / root
0644
tabnanny.py
11.261 KB
3 Jun 2025 10.41 PM
root / root
0755
tarfile.py
111.572 KB
26 Aug 2025 3.53 PM
root / root
0755
telnetlib.py
22.787 KB
3 Jun 2025 10.41 PM
root / root
0644
tempfile.py
31.627 KB
3 Jun 2025 10.41 PM
root / root
0644
textwrap.py
19.256 KB
3 Jun 2025 10.41 PM
root / root
0644
this.py
0.979 KB
3 Jun 2025 10.41 PM
root / root
0644
threading.py
58.342 KB
26 Aug 2025 3.53 PM
root / root
0644
timeit.py
13.147 KB
3 Jun 2025 10.41 PM
root / root
0755
token.py
2.452 KB
3 Jun 2025 10.41 PM
root / root
0644
tokenize.py
21.064 KB
3 Jun 2025 10.41 PM
root / root
0644
trace.py
28.664 KB
3 Jun 2025 10.41 PM
root / root
0755
traceback.py
45.306 KB
3 Jun 2025 10.41 PM
root / root
0644
tracemalloc.py
17.624 KB
3 Jun 2025 10.41 PM
root / root
0644
tty.py
1.987 KB
3 Jun 2025 10.41 PM
root / root
0644
turtle.py
142.933 KB
3 Jun 2025 10.41 PM
root / root
0644
types.py
10.735 KB
3 Jun 2025 10.41 PM
root / root
0644
typing.py
116.051 KB
3 Jun 2025 10.41 PM
root / root
0644
uu.py
7.169 KB
26 Aug 2025 4.04 PM
root / root
0644
uuid.py
28.961 KB
3 Jun 2025 10.41 PM
root / root
0644
warnings.py
21.396 KB
3 Jun 2025 10.41 PM
root / root
0644
wave.py
22.235 KB
3 Jun 2025 10.41 PM
root / root
0644
weakref.py
21.009 KB
3 Jun 2025 10.41 PM
root / root
0644
webbrowser.py
23.176 KB
3 Jun 2025 10.41 PM
root / root
0755
xdrlib.py
5.803 KB
3 Jun 2025 10.41 PM
root / root
0644
zipapp.py
7.366 KB
3 Jun 2025 10.41 PM
root / root
0644
zipimport.py
27.188 KB
3 Jun 2025 10.41 PM
root / root
0644

GRAYBYTE WORDPRESS FILE MANAGER @ 2026 CONTACT ME
Static GIF