为什么 "turtle.pd" 在我的 Python 代码中产生语法错误?

Why does "turtle.pd" produce a syntax error in my Python code?

我试图制作一种复杂的参数绘图器,但这并不重要。重要的是,我的程序应该使用 Turtle 图形绘制一个圆,当我放下笔时,“turtle.pd()”行出现语法错误。我不知道是怎么回事。你们能帮帮我吗?我的程序如下。

import turtle, math, cmath
def f(x): return math.e ** (1j * x) # Use Python code to define f(x) as the return value; don't forget the math and cmath modules are imported
precision = 25 # This program will draw points every (1 / precision) units
def draw(x):
    value = f(x)
    try:
        turtle.xcor = value.real * 25 + 100
        turtle.ycor = value.imag * 25 + 100
    turtle.pd() # Syntax error here
    turtle.forward(1)
    turtle.pu()
draw(0)
num = 0
while True:
    num += 1
    draw(num)
    draw(-num)

我会添加

except [errortype]:
    pass

try 块之后。将 [errortype] 替换为您希望通过 try 块减少的错误。我看不到该块中会引发什么错误,您可能只写

turtle.xcor = value.real * 25 + 100
turtle.ycor = value.imag * 25 + 100

并一起删除 try 块。

除了@dguis 指出的缺少 except 子句语法错误 (+1),我想知道您认为这些行在做什么:

turtle.xcor = value.real * 25 + 100
turtle.ycor = value.imag * 25 + 100

如果 .xcor.ycor 是您自己存储在 turtle 实例上的属性,那么就可以了。如果您认为这会移动乌龟 - 那么不会。如果目标是移动海龟,尝试:

turtle.setx(value.real * 25 + 100)
turtle.sety(value.imag * 25 + 100)

带有额外调整的完整解决方案:

import turtle
import math

def f(x):
    return math.e ** complex(0, x)

def draw(x):
    value = f(x) * 25

    turtle.setx(value.real + 100)
    turtle.sety(value.imag + 100)

    turtle.pendown()
    turtle.forward(1)
    turtle.penup()

turtle.penup()

num = 0

draw(num)

while True:
    num += 1
    draw(num)
    draw(-num)