如何将例子中MyThread thread改成MyThread *thread =new MyThread呢
时间: 2023-07-29 17:14:51 浏览: 122
如果要将例子中的 `MyThread thread` 改成 `MyThread *thread = new MyThread`,需要注意以下几点:
1. 在使用指针时,需要手动释放内存,否则会导致内存泄漏。因此,需要在主函数结束前使用 `delete` 关键字释放指针所指向的内存空间。
2. 在使用指针时,需要使用箭头运算符 `->` 来访问对象的成员函数和成员变量,而不是使用点运算符 `.`。
下面是使用指针的代码示例:
```cpp
#include <QCoreApplication>
#include <QThread>
#include <QDebug>
class MyThread : public QThread
{
public:
void run() override
{
while (true) {
qDebug() << "Hello from MyThread";
}
}
};
int main(int argc, char *argv[])
{
QCoreApplication app(argc, argv);
MyThread *thread = new MyThread;
thread->start();
thread->quit();
thread->wait();
delete thread;
thread = nullptr;
return app.exec();
}
```
在上述代码中,我们定义了一个 MyThread 类,其中 run() 函数中有一个无限循环,每次循环都会输出一句话。在主线程中,我们创建了 MyThread 类型的指针 thread,并使用 `new` 运算符为其分配内存空间。然后,我们使用箭头运算符 `->` 调用了它的 start()、quit() 和 wait() 函数。最后,在程序结束前使用 `delete` 关键字释放指针所指向的内存空间,并将指针设置为 `nullptr`,以避免悬空指针的出现。
阅读全文