Skip to content
Snippets Groups Projects
__init__.py 7.88 KiB
Newer Older
ulif's avatar
ulif committed
#  diceware -- passphrases to remember
#  Copyright (C) 2015-2019  Uli Fouquet
ulif's avatar
ulif committed
#
#  This program is free software: you can redistribute it and/or modify
#  it under the terms of the GNU General Public License as published by
#  the Free Software Foundation, either version 3 of the License, or
#  (at your option) any later version.
#
#  This program is distributed in the hope that it will be useful,
#  but WITHOUT ANY WARRANTY; without even the implied warranty of
#  MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
#  GNU General Public License for more details.
#
#  You should have received a copy of the GNU General Public License
#  along with this program.  If not, see <http://www.gnu.org/licenses/>.
ulif's avatar
ulif committed
"""diceware -- rememberable passphrases
"""
ulif's avatar
ulif committed
import argparse
ulif's avatar
ulif committed
import pkg_resources
ulif's avatar
ulif committed
import sys
import logging
from errno import ENOENT
from random import SystemRandom
ulif's avatar
ulif committed
from diceware.config import get_config_dict
ulif's avatar
ulif committed
from diceware.logger import configure
from diceware.wordlist import (
    WordList, get_wordlist_path, get_wordlists_dir, get_wordlist_names,
ulif's avatar
ulif committed
__version__ = pkg_resources.get_distribution('diceware').version
ulif's avatar
ulif committed

#: Special chars inserted on demand
SPECIAL_CHARS = r"~!#$%^&*()-=+[]\{}:;" + r'"' + r"'<>?/0123456789"
ulif's avatar
ulif committed

ulif's avatar
ulif committed

ulif's avatar
ulif committed
GPL_TEXT = (
    """
    This program is free software: you can redistribute it and/or modify
    it under the terms of the GNU General Public License as published by
    the Free Software Foundation, either version 3 of the License, or
    (at your option) any later version.

    This program is distributed in the hope that it will be useful,
    but WITHOUT ANY WARRANTY; without even the implied warranty of
    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
    GNU General Public License for more details.

    You should have received a copy of the GNU General Public License
    along with this program.  If not, see <http://www.gnu.org/licenses/>.
    """
    )


def print_version():
    """Output current version and other infos.
    """
    print("diceware %s" % __version__)
    print("Copyright (C) 2015-2019 Uli Fouquet")
ulif's avatar
ulif committed
    print("diceware is based on suggestions of Arnold G. Reinhold.")
    print("See http://diceware.com for details.")
    print("'Diceware' is a trademark of Arnold G Reinhold,"
          " used with permission")
ulif's avatar
ulif committed
    print(GPL_TEXT)


def get_random_sources():
    """Get a dictionary of all entry points called diceware_random_source.

    Returns a dictionary with names mapped to callables registered as
    `entry_point`s for the ``diceware_randomsource`` group.

    Callables should accept `options` when called and return something
    that provides a `choice(sequence)` method that works like the
    respective method in the standard Python lib `random` module.
    """
    result = dict()
    for entry_point in pkg_resources.iter_entry_points(
            group="diceware_random_sources"):
        result.update({entry_point.name: entry_point.load()})
    return result


ulif's avatar
ulif committed
def handle_options(args):
    """Handle commandline options.
    """
    plugins = get_random_sources()
    random_sources = plugins.keys()
ulif's avatar
ulif committed
    wordlist_names = get_wordlist_names()
ulif's avatar
ulif committed
    defaults = get_config_dict()
ulif's avatar
ulif committed
    parser = argparse.ArgumentParser(
        description="Create a passphrase",
        epilog="Wordlists are stored in %s" % get_wordlists_dir()
ulif's avatar
ulif committed
        )
ulif's avatar
ulif committed
    parser.add_argument(
        '-n', '--num', default=6, type=int,
        help='number of words to concatenate. Default: 6')
ulif's avatar
ulif committed
    cap_group = parser.add_mutually_exclusive_group()
    cap_group.add_argument(
ulif's avatar
ulif committed
        '-c', '--caps', action='store_true',
ulif's avatar
ulif committed
        help='Capitalize words. This is the default.')
    cap_group.add_argument(
dwcoder's avatar
dwcoder committed
        '--no-caps', action='store_false', dest='caps',
ulif's avatar
ulif committed
        help='Turn off capitalization.')
ulif's avatar
ulif committed
    parser.add_argument(
ulif's avatar
ulif committed
        '-s', '--specials', default=0, type=int, metavar='NUM',
ulif's avatar
ulif committed
        help="Insert NUM special chars into generated word.")
ulif's avatar
ulif committed
    parser.add_argument(
        '-d', '--delimiter', default='',
        help="Separate words by DELIMITER. Empty string by default.")
ulif's avatar
ulif committed
    parser.add_argument(
        '-r', '--randomsource', default='system', choices=random_sources,
        metavar="SOURCE",
        help=(
            "Get randomness from this source. Possible values: `%s'. "
            "Default: system" % "', `".join(sorted(random_sources))))
ulif's avatar
ulif committed
    parser.add_argument(
        '-w', '--wordlist', default='en_eff', choices=wordlist_names,
ulif's avatar
ulif committed
        metavar="NAME",
        help=(
            "Use words from this wordlist. Possible values: `%s'. "
            "Wordlists are stored in the folder displayed below. "
            "Default: en_eff" % "', `".join(wordlist_names)))
    realdice_group = parser.add_argument_group(
        "Arguments related to `realdice' randomsource",
        )
    realdice_group.add_argument(
            '--dice-sides', default=6, type=int, metavar="N",
            help='Number of sides of dice. Default: 6'
        )
ulif's avatar
ulif committed
    parser.add_argument(
        'infile', nargs='?', metavar='INFILE', default=None,
ulif's avatar
ulif committed
        help="Input wordlist. `-' will read from stdin.",
ulif's avatar
ulif committed
        )
    parser.add_argument(
        '-v', '--verbose', action='count',
        help='Be verbose. Use several times for increased verbosity.')
    parser.add_argument(
        '--version', action='store_true',
        help='output version information and exit.',
        )
    for plugin in plugins.values():
        if hasattr(plugin, "update_argparser"):
            parser = plugin.update_argparser(parser)
ulif's avatar
ulif committed
    parser.set_defaults(**defaults)
ulif's avatar
ulif committed
    args = parser.parse_args(args)
    return args

ulif's avatar
ulif committed

ulif's avatar
ulif committed
def insert_special_char(word, specials=SPECIAL_CHARS, rnd=None):
    """Insert a char out of `specials` into `word`.

    `rnd`, if passed in, will be used as a (pseudo) random number
    generator. We use `.choice()` only.

    Returns the modified word.
    """
    if rnd is None:
        rnd = SystemRandom()
    char_list = list(word)
    char_list[rnd.choice(range(len(char_list)))] = rnd.choice(specials)
    return ''.join(char_list)


def get_passphrase(options=None):
    """Get a diceware passphrase.
ulif's avatar
ulif committed

ulif's avatar
ulif committed
    `options` is a set of arguments as provided by
    `argparse.OptionParser.parse_args()`.
ulif's avatar
ulif committed

    The passphrase returned will contain `options.num` words delimited by
ulif's avatar
ulif committed
    `options.delimiter` and `options.specials` special chars.
ulif's avatar
ulif committed

ulif's avatar
ulif committed
    For the passphrase generation we will use the random source
ulif's avatar
ulif committed
    registered under the name `options.randomsource` (something like
    "system" or "dice").
ulif's avatar
ulif committed

dwcoder's avatar
dwcoder committed
    If `options.caps` is ``True``, all words will be caps.
    If `options.infile`, a file descriptor, is given, it will be used
    instead of a 'built-in' wordlist. `options.infile` must be open for
    reading.
    if options is None:
        options = handle_options(args=[])
    if options.infile is None:
ulif's avatar
ulif committed
        options.infile = get_wordlist_path(options.wordlist)
    word_list = WordList(options.infile)
ulif's avatar
ulif committed
    rnd_source = get_random_sources()[options.randomsource]
    rnd = rnd_source(options)
    words = [rnd.choice(list(word_list)) for x in range(options.num)]
dwcoder's avatar
dwcoder committed
    if options.caps:
        words = [x.capitalize() for x in words]
    result = options.delimiter.join(words)
    for _ in range(options.specials):
ulif's avatar
ulif committed
        result = insert_special_char(result, rnd=rnd)
ulif's avatar
ulif committed
def main(args=None):
ulif's avatar
ulif committed
    """Main programme.

    Called when `diceware` script is called.

    `args` is a list of command line arguments to process. If no such
    args are given, we use `sys.argv`.
    """
ulif's avatar
ulif committed
    if args is None:
ulif's avatar
ulif committed
        args = sys.argv[1:]
    options = handle_options(args)
ulif's avatar
ulif committed
    configure(options.verbose)
ulif's avatar
ulif committed
    if options.version:
        print_version()
        raise SystemExit(0)
    try:
        print(get_passphrase(options))
    except (OSError, IOError) as infile_error:
        if getattr(infile_error, 'errno', 0) == ENOENT:
            logging.getLogger('ulif.diceware').error(
                "The file '%s' does not exist." % infile_error.filename)
            raise SystemExit(1)
        else:
            raise