20

私はそれが新しいことを知っていますが、クリックの外観がとても好きで、それを使いたいと思っていますが、メインメソッドから他のメソッドに変数を渡す方法がわかりません. 使い方が間違っているのでしょうか、それともこの機能はまだ利用できないのでしょうか? かなり基本的なものに見えるので、そこにあると確信していますが、これはほんの少ししか出ていないので、ないかもしれません.

import click

@click.option('--username', default='', help='Username')
@click.option('--password', default='', help='Password')
@click.group()
def main(**kwargs):
    print("This method has these arguments: " + str(kwargs))


@main.command('do_thingy')
def do_thing(**kwargs):
    print("This method has these arguments: " + str(kwargs))


@main.command('do_y')
def y(**kwargs):
    print("This method has these arguments: " + str(kwargs))


@main.command('do_x')
def x(**kwargs):
    print("This method has these arguments: " + str(kwargs))


main()

私の質問は、ユーザー名とパスワードのオプションを他の方法で使用できるようにするにはどうすればよいかということです

4

2 に答える 2

32

正しい方向に向けてくれた@nathj07に感謝します。答えは次のとおりです。

import click


class User(object):
    def __init__(self, username=None, password=None):
        self.username = username
        self.password = password


@click.group()
@click.option('--username', default='Naomi McName', help='Username')
@click.option('--password', default='b3$tP@sswerdEvar', help='Password')
@click.pass_context
def main(ctx, username, password):
    ctx.obj = User(username, password)
    print("This method has these arguments: " + str(username) + ", " + str(password))


@main.command()
@click.pass_obj
def do_thingy(ctx):
    print("This method has these arguments: " + str(ctx.username) + ", " + str(ctx.password))


@main.command()
@click.pass_obj
def do_y(ctx):
    print("This method has these arguments: " + str(ctx.username) + ", " + str(ctx.password))


@main.command()
@click.pass_obj
def do_x(ctx):
    print("This method has these arguments: " + str(ctx.username) + ", " + str(ctx.password))


main()
于 2014-05-14T13:57:02.170 に答える