Re: WaitForSingleObject() will not deadlock
On Thu, 05 Jul 2007 17:02:44 -0400, Joseph M. Newcomer
<newcomer@flounder.com> wrote:
So the question is, what compromises are made to allow C to work in a multithreaded
environment? One is to hijack the semantics of volatile to disable compiler optimizations
that would not be thread-safe, and otherwise let the compiler to agressive optimization.
That's an incredibly undesirable approach for a number of reasons. AFAIK,
no one approaches the problem in that way.
Another is to do conservative optimizations such that the issues of multithreading do not
become problems. What Microsoft has done is to do a very, very conservative optimization
strategy so that the code continues to work.
After thinking about it some, I think the compiler is a lot less
"conservative" than you've portrayed it to be. I've implemented dummy
lock/unlock functions for the example I posted earlier:
int x;
void lock()
{
}
void unlock()
{
}
bool f()
{
lock();
int x1 = x;
unlock();
lock();
int x2 = x;
unlock();
return x1 == x2;
}
void g()
{
lock();
++x;
unlock();
}
When I compile this in VC2005 with "cl -O2 -c -FAs a.cpp", the assembly
code I get for f is:
?f@@YA_NXZ PROC ; f, COMDAT
; 13 : lock();
; 14 : int x1 = x;
; 15 : unlock();
; 16 : lock();
; 17 : int x2 = x;
; 18 : unlock();
; 19 : return x1 == x2;
mov al, 1
; 20 : }
ret 0
Because the compiler can see into lock and unlock, it is able to reduce f()
to "return true", and that's fine. Indeed, I think it's a great
optimization, and I'd be a little disappointed if it didn't do it.
On the other hand, if lock and unlock resided in some opaque DLL, which the
compiler can't see into, I don't think it is "conservative" for the
compiler not to make assumptions about what those functions may or may not
do. Rather, it would be *incorrect* for the compiler to assume they don't
modify x when (a) it isn't explicitly told that and (b) can't prove it for
itself.
Finally, imagine the compiler *can* actually see into lock/unlock, wherever
they reside, and those functions are implemented as mutex lock/unlock
operations. Per the example I just presented, it would be able to tell they
don't modify x, and it could optimize f() as shown above. Clearly, that
would be wrong for MT programming. The absolutely wrong approach to solving
this problem would be to require the user to make x volatile; that was the
shortcoming of the ancient compilers you talked about earlier. The *right*
approach would be to provide some way to mark lock/unlock as having "memory
barrier" semantics. (Of course, if the compiler can see into those
functions and they actually contain memory barrier instructions, it should
be unnecessary to mark them as special, because the compiler should
understand what is implied by using memory barriers.)
--
Doug Harrison
Visual C++ MVP