0
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?

【備忘録】Python:*argsと**kwargsはどのようなものなのか

Posted at

*argsと**kwargsはどのようなものなのか

*argsと**kwargsは、Pythonの関数定義において可変長の引数を受け取るために使われます。これにより、関数に渡される引数の数が不定であっても対応することができます。

*argsの使い方

argsは、関数に任意の数の位置引数を渡すために使われます。関数定義においてargsと書くと、渡されたすべての位置引数がタプルとして関数内で利用可能になります。

例:

def print_args(*args):
    for arg in args:
        print(arg)

print_args(1, 2, 3)

上記のコードの実行結果は次の通りです:

1
2
3

**kwargsの使い方

kwargsは、関数に任意の数のキーワード引数を渡すために使われます。関数定義においてkwargsと書くと、渡されたすべてのキーワード引数が辞書として関数内で利用可能になります。

例:

def print_kwargs(**kwargs):
    for key, value in kwargs.items():
        print(f"{key}: {value}")

print_kwargs(a=1, b=2, c=3)

上記のコードの実行結果は次の通りです:

a: 1
b: 2
c: 3

*argsと**kwargsを組み合わせた使い方

*argsと**kwargsを組み合わせて使うことで、関数に任意の数の位置引数とキーワード引数の両方を渡すことができます。

例:

def print_args_kwargs(*args, **kwargs):
    print("args:")
    for arg in args:
        print(arg)
    print("kwargs:")
    for key, value in kwargs.items():
        print(f"{key}: {value}")

print_args_kwargs(1, 2, 3, a=4, b=5, c=6)

上記のコードの実行結果は次の通りです:

args:
1
2
3
kwargs:
a: 4
b: 5
c: 6

使用例と実用性

*argsと**kwargsを使うことで、関数がどのような引数を受け取るか事前に知らなくても、柔軟に対応することができます。
特に以下のような場合に有用です:

  1. 可変長の引数を受け取る関数:引数の数が異なる場合でも同じ関数を使いたいとき。

  2. デコレータ:デコレータは元の関数がどのような引数を受け取るか知らない場合が多いため、*argsと**kwargsを使ってすべての引数を受け取れるようにします。

  3. 引数のラップ:複数の関数に共通の前処理や後処理を追加したいときに、*argsと**kwargsを使って関数をラップします。

例:デコレータでの使用

def my_decorator(func):
    def wrapper(*args, **kwargs):
        print("Before the function call")
        result = func(*args, **kwargs)
        print("After the function call")
        return result
    return wrapper

@my_decorator
def my_function(a, b, c):
    print(f"a: {a}, b: {b}, c: {c}")

my_function(1, 2, 3)

このコードの実行結果は次の通りです:

Before the function call
a: 1, b: 2, c: 3
After the function call

このようにして、*argsと**kwargsを使うことで関数の柔軟性が大幅に向上し、さまざまな状況に対応できるようになります。

0
0
0

Register as a new user and use Qiita more conveniently

  1. You get articles that match your needs
  2. You can efficiently read back useful information
  3. You can use dark theme
What you can do with signing up
0
0

Delete article

Deleted articles cannot be recovered.

Draft of this article would be also deleted.

Are you sure you want to delete this article?