Python线程字符串参数


156

我在使用Python线程并在参数中发送字符串时遇到问题。

def processLine(line) :
    print "hello";
    return;

dRecieved = connFile.readline();
processThread = threading.Thread(target=processLine, args=(dRecieved));
processThread.start();

其中dRecieved是连接读取的一行的字符串。它调用了一个简单的函数,到目前为止,该函数仅具有打印“ hello”的一项工作。

但是我收到以下错误

Traceback (most recent call last):
File "C:\Python25\lib\threading.py", line 486, in __bootstrap_inner
self.run()
File "C:\Python25\lib\threading.py", line 446, in run
self.__target(*self.__args, **self.__kwargs)
TypeError: processLine() takes exactly 1 arguments (232 given)

232是我尝试传递的字符串的长度,因此我猜想它会将其分解成每个字符并尝试传递类似的参数。如果我只是正常调用该函数,它将很好用,但是我真的想将其设置为单独的线程。


49
为什么每行的末尾都有分号?
Maikflow

@Maikflow这不是一个好习惯吗?ASI将非分号的行转换为背景afaik中的分号。
IK

Answers:


294

您正在尝试创建一个元组,但是您只是在用括号括起来:)

添加一个额外的',':

dRecieved = connFile.readline()
processThread = threading.Thread(target=processLine, args=(dRecieved,))  # <- note extra ','
processThread.start()

或使用方括号列出:

dRecieved = connFile.readline()
processThread = threading.Thread(target=processLine, args=[dRecieved])  # <- 1 element list
processThread.start()

如果您注意到,从堆栈跟踪中: self.__target(*self.__args, **self.__kwargs)

*self.__args将您的字符串转换成字符的列表,将它们传递给processLine 函数。如果将一个元素列表传递给它,它将把该元素作为第一个参数传递-在您的情况下为字符串。


1
第二个代码块第二行的末尾有多余的括号。我想对其进行编辑,但少于6个字符
谐和键

如果您的arg2具有默认值,请执行此操作。threading.Thread(target=thread_function, args=(arg1,),kwargs={'arg2': arg2})
DeveScie

7

我希望在这里提供更多背景知识。

首先,方法threading :: Thread的构造函数签名:

class threading.Thread(group=None, target=None, name=None, args=(), kwargs={}, *, daemon=None)

args是目标调用的参数元组。默认为()。

第二,关于Python 的怪癖tuple

空元组由一对空括号组成;一个带有一个项目的元组是通过在值后面加上逗号来构造的(将单个值括在括号中是不够的)。

另一方面,字符串是字符序列,例如'abc'[1] == 'b'。因此,如果将字符串发送到args,即使在括号中(仍然是一个字符串),每个字符也将被视为单个参数。

但是,Python是如此集成,并且不像JavaScript那样可以容忍额外的参数。相反,它引发了TypeError抱怨。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.