Re: Is it safe to use function-static pthread_mutex_t mutex
On Sep 3, 9:30 am, loose AT astron DOT nl <lo...@astron.nl> wrote:
Hi all,
I need to serialize access to shared data structures in a member
function of a class. I was wondering what the best way is to
initialize the pthread-mutex. As I see it, there are (at least) three
options:
1) file local mutex variable, defined in the implementation file of
the class, in the same compilation unit that contains the class member
function using the mutex
2) mutex as static data member of the class
3) mutex as a function static, i.e. defined as static in the member
function that needs to serialize access
I don't want to fall into the trap of "undefined initialization order"
for global static objects, and I figure that solution 2 suffers from
that. I'm not sure about solution 1.
Solution 3 sounds safe from the "undefined initialization order"
problem, but I wonder whether there could be a race-condition here,
because the function static could be created long after main() has
started.
Could anyone give some advise on this? Thanks in advance.
1 (namespace scope mutex) and 2 (static class member mutex) are
effectively equivalent for static initialization order. Both are
initialization at their single definition in a translation unit (which
has an undefined order relative to other static initialization).
3 does not have this problem, but it does have a race condition. If
the first calls to your function foo
void foo()
{ static mutex_t mutex;
guard_t guard(mutex);
// ...
}
are concurrent, then your mutex construction is not "thread-safe". It
could be done once, twice, some weird mix of the two, or various other
undefined behavior.
The simplest solutions are pthread_once or to eager-initialize your
mutex ala
namespace
{ mutex_t& foos_mutex()
{ static mutex_t* m = new mutex_t;
return *m;
}
bool force_mutex_init_before_main = (foos_mutex(), true);
}
void foo()
{ guard_t guard(foos_mutex());
// ...
}
This uses the initialize on demand idiom for the mutex to avoid the
static initialization order fiasco for the mutex. It uses a global
bool to force the initialization of the mutex to occur before main,
and presumably before there are threads. (If there are nontrivial
threads before main, then mutex abstractions requiring runtime
initialization are insufficient to do this. You would need mutexes
without runtime initialization or pthread_once or something.)
(Note that there is an allowance in the standard to delay static
initialization of a translation unit until the first use. It was meant
as a hand-waving to allow DLLs to be standard compliant, but at least
one real implementation perverts the intent of this allowance and
optimizes away unreferenced translation units. Just a heads up on a
problem you'll probably never see.)
--
[ See http://www.gotw.ca/resources/clcm.htm for info about ]
[ comp.lang.c++.moderated. First time posters: Do this! ]