1. ホーム
  2. python

[解決済み] 関数に必要な位置引数が2つありません。x' と 'y'

2022-02-14 09:23:55

質問

Spirographを描く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のクラスの練習問題なのですが、エラーを修正する方法が全くわかりません。

解決方法を教えてください。

トレースバックの最後の行で、問題の所在がわかります。

  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) である。 R , r , p , x , y . エラーメッセージで強調されている行では、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

これは課題なので、あとはあなた次第です。