Sending messages to non-windowed applications -- AllocateHWnd, DeallocateHWnd
http://delphi.about.com/od/windowsshellapi/l/aa093003a.htm
Page 1: How Delphi dispatches messages in windowed applications
Article submitted by Catalin Ionescu for the Delphi Programming Quickies Contest - Round #2 Winner!
Learn how to send signals to non-windowed applications by using AllocateHWND and DefWindowProc.
In this article we also briefly describe what Delphi does in the background to intercept Windows messages,
how can we write our own message handler for a windowed application and
how to obtain a unique message identifier that we can safely use in our applications.
We'll also discover and fix a small bug in the Delphi DeallocateHWND procedure along the route.
How Delphi dispatches messages in windowed applications
In the Windows environment a lot of messages flow in the background.
Each time the mouse is moved, a key is pressed, a window is moved or needs to be redrawn and in many other cases
one or more messages is generated and hopefully finds it's way to the appropriate message handler code
that understands and reacts appropriately to that very specific message.
To see some of the messages that are generated automatically by Windows or as a response to your input you can fire up WinSight and peek around.
If we need to receive and react to one of these messages in our application we need to write a message handler.
For example if we need to respond to Windows signaling our main form that it needs to erase the background
(WM_ERASEBKGND message) the typical code that we should place in the interface may be:
procedure WMEraseBkgnd(var Message: TWMEraseBkgnd); message WM_ERASEBKGND;
Then in the implementation part we would write the actual code that erases the form background.
This is called a message handler.
Delphi needs to do a lot of work in the background to call the above code for each WM_ERASEBKGND message generated by Windows.
First it needs to intercept all Windows messages targeted at our particular form.
Then it needs to sort them out based on the message identifier (WM_ERASEBKGND in the above example)
and find if we implemented a message handler for any of them.
In our above code we signal Delphi that we're only interested in receiving background erase notifications and not,
for instance, mouse clicks.
So Delphi calls our message handler for all background erase notifications and one of its own message handlers
for all other messages received by the form.
Fortunately Windows has a very convenient way of intercepting all messages passed to a form.
Each form has a window procedure that gets called for each and every message the form receives.
As a new form is created the operating system provides a default window procedure
that can be changed later by the application that owns the form if it needs to react on one or more messages.
This is exactly what Delphi does.
As each new form is created Delphi overrides the default window procedure with its own message interceptor and dispatcher.
It is then a simple matter of comparison to find the appropriate message handler,
either internal or written by us, for each specific message identifier.
Non-windowed?
If we write a non-windowed application, for instance a console application or a non-interactive service,
then Delphi doesn't have a default window procedure to intercept and thus we can't rely on him to call our message handler.
We need to write our own window procedure.
But, as our application doesn't have a window, neither do Windows provide us with a window procedure to intercept.
Isn't there a way to trick Windows in thinking we have a window? Find the answer on the next page...
Page 2: How to send messages to non-windowed applications
Now that you know how Delphi dispatches messages in windowed applications,
it's time to trick Windows in thinking we have a window in a non-windowed application
How to send messages to non-windowed applications
Isn't there a way to trick Windows in thinking we have a window?
We could create one but having tens of windows displayed all across the screen
just for the purpose of intercepting Windows messages is inaesthetical and unpractical.
What if we could create a window but mark it in such way so it is not displayed on the screen?
We could reach our goal of having a window procedure and
at the same time don't fill the screen with dummy empty windows.
Again Delphi VCL addresses this very specific need by providing a convenient wrapper that handles all the low-level API calls.
It provides two functions that must be used in pairs:
AllocateHWND and DeallocateHWND.
First one accepts a single parameter that is our window procedure
and the second one does the cleanup when we no longer need the invisible window.
We have created a sample application that shows the usage of AllocateHWND/DeallocateHWND functions.
To simulate a non-windowed application we will use a TThread descendent, defined as follows:
TTestThread = class(TThread)
private
FSignalShutdown: boolean;
{ hidden window handle }
FWinHandle: HWND;
protected
procedure Execute; override;
{ our window procedure }
procedure WndProc(var msg: TMessage);
public
constructor Create;
destructor Destroy; override;
procedure PrintMsg;
end;
Creating the hidden window
In the TTestThread constructor we create our hidden window which is destroyed in the TTestThread destructor:
constructor TTestThread.Create;
begin
FSignalShutdown := False;
{ create the hidden window, store it's handle and change the default window procedure provided by Windows with our window procedure }
FWinHandle := AllocateHWND(WndProc);
inherited Create(False);
end; destructor TTestThread.Destroy;
begin
{ destroy the hidden window and free up memory }
DeallocateHWnd(FWinHandle);
inherited;
end;
To test for the message routing we use a simple boolean (FSignalShutdown)
that we initially set to False in the constructor and
will hopefully be set to True in the window procedure (WndProc) upon receiving our message.
The window procedure
In order to keep things simple we have implemented a bare-bone window procedure as follows:
procedure TTestThread.WndProc(var msg: TMessage);
begin
if Msg.Msg = WM_SHUTDOWN_THREADS then
{ if the message id is WM_SHUTDOWN_THREADS do our own processing }
FSignalShutdown := True
else
{ for all other messages call the default window procedure }
Msg.Result := DefWindowProc(FWinHandle, Msg.Msg, Msg.wParam, Msg.lParam);
end;
This procedure is called for each and every Windows message,
so we need to filter out only those that are interesting,
in this case WM_SHUTDOWN_THREADS.
For all other messages that are not handled by our application remember to call the default Windows procedure.
Even if this is not so important for our non-visible non-interactive window
it is a good practice and missing this step may yield to unpredictable behaviors.
Message identifier?
If applications were to use arbitrary message id's their operation would soon interfere
and messages meant for one application would be interpreted in unknown and unwanted ways by others.
To prevent this Windows provides a way for each application or related applications to obtain a unique message identifier.
How? Find on the next page...
Page 3: Obtaining a unique message identifier. The DeallocateHWND bug.
Until now, we've covered how Delphi dispatches messages in windowed applications,
and how to send messages to non-windowed applications,
we move on to obtaining a unique message identifier.
Obtaining a unique message identifier
As stated on the previous page, if applications were to use arbitrary message id's their operation would soon interfere
and messages meant for one application would be interpreted in unknown and unwanted ways by others.
To prevent this Windows provides a way for each application or related applications to obtain a unique message identifier.
var
WM_SHUTDOWN_THREADS: Cardinal; procedure TfrmSgnThreads.FormCreate(Sender: TObject);
begin
WM_SHUTDOWN_THREADS := RegisterWindowMessage('TVS_Threads');
end;
We pass a unique string identifier to the RegisterWindowMessage and it returns a message identifier that is guaranteed to be unique across a Windows session.
The application
All that remains is to put all the above code together. You can download the full source code.
To test the application we create a few threads by pressing the New Thread button,
then notice how all of them correctly receive the WM_SHUTDOWN_THREADS message
when we press the Send Signal button.
To view the internal flow of code we printed a message when each thread is created and another message
when the thread receives the message and is destroyed.
Everything works as expected.
But as the threads and the hidden windows are destroyed
we will soon notice a lot of exceptions popping up.
DeallocateHWND bug
We tried to narrow down the source of the problem.
From the exception message we concluded there's probably a reference to unallocated memory at some point.
The only places where we deallocate memory are when the threads themselves are destroyed
and when the hidden window is destroyed.
First we moved the DeallocateHWND call to the Execute procedure and comment the FreeOnTerminate line,
so the threads don't destroy automatically:
procedure TTestThread.Execute;
begin
{ FreeOnTerminate := True; }
while NOT FSignalShutdown do
begin
Sleep();
end;
Synchronize(PrintMsg);
{ destroy the hidden window and free up memory }
DeallocateHWnd(FWinHandle);
end;
The errors still show up.
So it must be something related to the DeallocateHWND call
so we look at the Delphi DeallocateHWnd implementation which is in the Classes unit:
procedure DeallocateHWnd(Wnd: HWND);
var
Instance: Pointer;
begin
Instance := Pointer(GetWindowLong(Wnd, GWL_WNDPROC));
DestroyWindow(Wnd);
if Instance <> @DefWindowProc then FreeObjectInstance(Instance);
end;
At first glance everything looks fine.
The window is destroyed and the memory occupied by our window procedure is freed.
But... after we free up the memory occupied by our window procedure a few messages
are still routed to the hidden window
(yes, there are still messages routed to that window, including a bunch of WM_DESTROY and its relatives).
So Windows will try to reference an unallocated memory space
when trying to execute our window procedure and thus an exception will pop up.
The solution we have found is to slightly alter the DeallocateHWnd code to change back the window procedure
to the default one provided by Windows before we free up the memory for the code.
procedure TTestThread.DeallocateHWnd(Wnd: HWND);
var
Instance: Pointer;
begin
Instance := Pointer(GetWindowLong(Wnd, GWL_WNDPROC));
if Instance <> @DefWindowProc then
begin
{ make sure we restore the default
windows procedure before freeing memory }
SetWindowLong(Wnd, GWL_WNDPROC, Longint(@DefWindowProc));
FreeObjectInstance(Instance);
end;
DestroyWindow(Wnd);
end;
You can download the full source code of the application with the fix here.
We notice that all errors are gone and conclude the error was indeed in the DeallocateHWnd code.
If you have any questions or comments I would like to receive them in the Delphi Programming Forum
and I'll try to answer all to the best of my knowledge and abilities.
Sending messages to non-windowed applications -- AllocateHWnd, DeallocateHWnd的更多相关文章
- Socket.io 0.7 – Sending messages to individual clients
Note that this is just for Socket.io version 0.7, and possibly higher if they don’t change the API a ...
- Receive Windows Messages In Your Custom Delphi Class - NonWindowed Control - AllocateHWnd
http://delphi.about.com/od/windowsshellapi/a/receive-windows-messages-in-custom-delphi-class-nonwind ...
- Thread message loop for a thread with a hidden window? Make AllocateHwnd safe
Thread message loop for a thread with a hidden window? I have a Delphi 6 application that has a thre ...
- AllocateHwnd is not Thread-Safe
http://www.thedelphigeek.com/2007/06/allocatehwnd-is-not-thread-safe.html http://gp.17slon.com/gp/fi ...
- Fedora 24中的日志管理
Introduction Log files are files that contain messages about the system, including the kernel, servi ...
- Elixir - Hey, two great tastes that go great together!
这是Elixir的作者 José Valim 参与的一次技术访谈,很有料,我们可以了解Elixir的一些设计初衷,目标等等. 原文在: http://rubyrogues.com/114-rr-eli ...
- windows消息机制详解(转载)
消息,就是指Windows发出的一个通知,告诉应用程序某个事情发生了.例如,单击鼠标.改变窗口尺寸.按下键盘上的一个键都会使Windows发送一个消息给应用程序.消息本身是作为一个记录传递给应用程序的 ...
- actor concurrency
The hardware we rely on is changing rapidly as ever-faster chips are replaced by ever-increasing num ...
- GO语言的开源库
Indexes and search engines These sites provide indexes and search engines for Go packages: godoc.org ...
随机推荐
- HDU 5137 How Many Maos Does the Guanxi Worth
How Many Maos Does the Guanxi Worth Time Limit: 2000/1000 MS (Java/Others) Memory Limit: 512000/5120 ...
- Ajax实现搜索栏中输入时的自动提示功能
使用 jQuery(Ajax)/PHP/MySQL实现自动完成功能 JavaScript代码: <script src="jquery-1.2.1.pack.js" type ...
- Storage Keepers
题意: n个仓库,m个人申请看管仓库,一个人可以看管多个仓库,一个仓库只能被一个人看管,每个人都有一个能力值,他看管的仓库的安全度U是能力值/看管仓库数,安全线L是U中的最小值,有多少能力公司发多少工 ...
- 解决Asp.net Mvc返回JsonResult中DateTime类型数据格式的问题
问题背景: 在使用asp.net mvc 结合jquery esayui做一个系统,但是在使用使用this.json方法直接返回一个json对象,在列表中显示时发现datetime类型的数据在转为字符 ...
- D.xml
pre{ line-height:1; color:#1e1e1e; background-color:#f0f0f0; font-size:16px;}.sysFunc{color:#627cf6; ...
- xcode import<xx/xx.h> 头文件报错
最近一直在写Android程序,有点久没用xcode,在写一个项目准备把 UI7Kit导进去,将iOS 7的界面适配到低版本的时候,出现了这么一个蛋疼的问题.稍微查了一下,新建项目的时候想先做一个li ...
- Spark RDD概念学习系列之RDD的缓存(八)
RDD的缓存 RDD的缓存和RDD的checkpoint的区别 缓存是在计算结束后,直接将计算结果通过用户定义的存储级别(存储级别定义了缓存存储的介质,现在支持内存.本地文件系统和Tachyon) ...
- HDU 4602 Magic Ball Game(离线处理,树状数组,dfs)
Magic Ball Game Time Limit: 10000/5000 MS (Java/Others) Memory Limit: 65536/65536 K (Java/Others) ...
- spring 解析配置文件问题
问题描述 2014-02-25 16:39:36.068 [com.mchange.v2.async.ThreadPoolAsynchronousRunner$PoolThread-#2] WARN ...
- AutoCAD.NET 不使用P/Invoke方式调用acad.exe或accore.dll中的接口(如acedCommand、acedPostCommand等)
使用C#进行AutoCAD二次开发,有时候由于C#接口不够完善,或者低版本AutoCAD中的接口缺少,有些工作不能直接通过C#接口来实现,所以需要通过P/Invoke的方式调用AutoCAD的其他DL ...