web-dev-qa-db-ja.com

2つの必須の位置引数が欠落している関数: 'x'および 'y'

スピログラフを描画するPython turtleプログラムを作成しようとしていますが、次のエラーが発生し続けます。

Traceback (most recent call last):
  File "C:\Users\matt\Downloads\spirograph.py", line 36, in <module>
    main()
  File "C:\Users\matt\Downloads\spirograph.py", line 16, in main
    spirograph(R,r,p,x,y)
  File "C:\Users\matt\Downloads\spirograph.py", line 27, in spirograph
    spirograph(p-1, x,y)
TypeError: spirograph() missing 2 required positional arguments: 'x' and 'y'
>>> 

これはコードです:

from turtle import *
from math import *
def main():
    p= int(input("enter p"))
    R=100
    r=4
    t=2*pi
    x= (R-r)*cos(t)-(r+p)*cos((R-r)/r*t)
    y= (R-r)*sin(t)-(r+p)*sin((R-r)/r*t)
    spirograph(R,r,p,x,y)


def spirograph(R,r,p,x,y):
    R=100
    r=4
    t=2*pi
    x= (R-r)*cos(t)-(r+p)*cos((R-r)/r*t)
    y= (R-r)*sin(t)-(r+p)*sin((R-r)/r*t)
    while p<100 and p>10:
        goto(x,y)
        spirograph(p-1, x,y)

    if p<10 or p>100:
        print("invalid p value, enter value between 10 nd 100")

    input("hit enter to quite")
    bye()


main()

これには簡単な解決策があるかもしれませんが、私が間違っていることを本当に理解することはできません。これは私のコンピュータサイエンス1クラスの演習であり、エラーを修正する方法がわかりません。

4
user2803457

トレースバックの最後の行は、問題がどこにあるかを示しています。

_  File "C:\Users\matt\Downloads\spirograph.py", line 27, in spirograph
    spirograph(p-1, x,y) # <--- this is the problem line
TypeError: spirograph() missing 2 required positional arguments: 'x' and 'y'
_

コードでは、spirograph()関数は5つの引数を取ります:def spirograph(R,r,p,x,y)、つまりRrpxy。エラーメッセージで強調表示されている行では、3つの引数_p-1, x, y_のみを渡しています。これは関数が期待するものと一致しないため、Pythonはエラーを発生させます。

また、関数の本体の引数の一部を上書きしていることにも気づきました。

_def spirograph(R,r,p,x,y):
    R=100 # this will cancel out whatever the user passes in as `R`
    r=4 # same here for the value of `r`
    t=2*pi
_

何が起こっているかの簡単な例を次に示します。

_>>> def example(a, b, c=100):
...    a = 1  # notice here I am assigning 'a'
...    b = 2  # and here the value of 'b' is being overwritten
...    # The value of c is set to 100 by default
...    print(a,b,c)
...
>>> example(4,5)  # Here I am passing in 4 for a, and 5 for b
(1, 2, 100)  # but notice its not taking any effect
>>> example(9,10,11)  # Here I am passing in a value for c
(1, 2, 11)
_

この値を常にデフォルトのままにしておきたいので、関数のシグネチャから次の引数を削除することができます。

_def spirograph(p,x,y):
    # ... the rest of your code
_

または、いくつかのデフォルトを設定できます。

_def spirograph(p,x,y,R=100,r=4):
    # ... the rest of your code
_

これは割り当てなので、残りはあなた次第です。

6
Burhan Khalid

このエラーは、使用している引数が少なすぎてspirographを呼び出せないことを示しています。

このコードを変更します。

while p<100 and p>10:
    goto(x,y)
    spirograph(R,r, p-1, x,y) # pass on  the missing R and r

ただし、これらの引数は使用していませんが、それを呼び出すために関数に引数を与える必要があります。

1
Jochen Ritzel