QT 中使用 Windows API----SendMessage() 进行窗体间消息传递

概述

   在处理 qt 间窗体间消息传递时,一般都是使用信号槽函数的方式来进行,只需要在发送消息窗体 emit 消息,在接受窗体响应 slot 槽函数即可,不过这一般都是在子窗体和父窗体或子控件和父控制之间,如果涉及到一个主窗体下的2个单独子窗体之间的传递消息,如果依然使用信号槽来传递的,需要通过它们共同的父窗体来中转,除此之外,其实还可以使用 Windows 的 api 函数 SendMessage 来达到这个要求(对于 mfc 程序来说这再正常不过了 :-D)


实现

主窗体在创建2个子窗体 A、B 时,A,B 都是单独的窗口类,主窗体在构造函数中 new A 和 B 并保存各自的 widget 指针,分别传入各自窗口类的成员变量中。

QWidgetSendMsg::QWidgetSendMsg(QWidget *parent, Qt::WFlags flags)
	: QMainWindow(parent, flags)
{
	ui.setupUi(this);

	connect(ui.btn_openA,SIGNAL(clicked()),this,SLOT(slot_openA()));
	connect(ui.btn_openB,SIGNAL(clicked()),this,SLOT(slot_openB()));

	m_pWidgetA = new QWidgetA;
	m_pWidgetB = new QWidgetB;


	m_deskWidth = QApplication::desktop()->width();
	setGeometry(m_deskWidth/2-100,30,200,160);
}

void QWidgetSendMsg::slot_openA()
{
	if (0 != m_pWidgetA)
	{
		m_pWidgetA->setBrotherWidget(m_pWidgetB);
		m_pWidgetA->setGeometry(m_deskWidth/2-400,230,400,360);
		m_pWidgetA->show();
	}
}

void QWidgetSendMsg::slot_openB()
{
	if (0 != m_pWidgetB)
	{
		m_pWidgetB->setBrotherWidget(m_pWidgetA);
		m_pWidgetB->setGeometry(m_deskWidth/2+20,230,400,360);
		m_pWidgetB->show();
	}
}

然后在 A 中向 B 发送消息

void QWidgetA::slot_clickedBtn()
{
	if (0 != m_pWidget)
	{
		QString text = ui.lineEdit->text();
		::SendMessage((HWND)m_pWidget->winId(),(WM_USER+1000),(WPARAM)&text,NULL);
		ui.lineEdit->clear();
	}
}


在 B 中接受消息

bool QWidgetB::winEvent( MSG *message, long *result )
{
	if(message->message == (WM_USER+1000))
	{
		QString *text = (QString*)message->wParam;
		QString str = *text;
		ui.textEdit->append(str);
	}
	return QWidget::winEvent(message,result);  
}

B 向 A 发消息反之即可。其中传递的消息只是单个的字串类型,如果是传递多个参数,可以选择使用传递结构体指针来实现。


效果

QT 中使用 Windows API----SendMessage() 进行窗体间消息传递_第1张图片


demo源码下载

0分下载


你可能感兴趣的:(QT)