我正在开发销售点应用程序,我有一个函数从QLineEdit(产品的条形码)获取文本并运行查询以查找要显示的产品.问题是我每次文本更改时都会运行查询,也就是说,每次输入新字符时都会运行查询.有没有办法等待用户停止输入然后运行查询?我将使用手持式扫描仪,因此在键入的每个字符之间会有100毫秒.
我想我需要这样的东西:
void PoS::on_lineEdit_textEdited()
{
//check for keys still being pressed
//if 100ms have passed without any key press, run query
}
我曾尝试使用计时器和线程(我对Qt 5很新)但到目前为止都失败了.
解决方法:
你需要一个计时器.在此处阅读有关QTimer的更多信息:http://qt-project.org/doc/qt-5.1/qtcore/qtimer.html
添加QTimer * mTimer作为私有成员变量.创建一个名为do_query的插槽,您将在其中执行查询.把它放在构造函数中:
mTimer = new QTimer(this); // make a QTimer
mTimer->setSingleShot(true); // it will fire once after it was started
connect(mTimer, &QTimer::timeout, this, &PoS::do_query); // connect it to your slot
现在你的功能:
void PoS::on_lineEdit_textEdited()
{
mTimer->start(100); // This will fire do_query after 100msec.
// If user would enter something before it fires, the timer restarts
}
并做你的查询:
void PoS::do_query()
{
// your code goes here
}