in reply to Re^4: does threads (still) memleak?
in thread does threads (still) memleak?
How would you suggest to recycle threads in practice?
In simple terms, instead of creating a new thread to process each piece of asynchronous work, you start by creating a pool of threads that sit and do nothing until your main thread passes them a piece of work to do. They then process that piece of work and instead of dieing when it is complete, they go back to waiting for another new piece of work.
Here's a simple example:
#! perl -slw use strict; use threads; use Thread::Queue; sub worker { my $Q = shift; while( my $workItem = $Q->dequeue ) { printf "[%d] Processing workiterm '%s'\n", threads->tid, $work +Item; sleep rand( 2 ); ## process $workitem } } our $WORKERS ||= 10; my $Q = new Thread::Queue; my @threads = map{ threads->create( \&worker, $Q ) } 1 .. $WORKERS; while( <> ) { ## Get workitems from stdin chomp; $Q->enqueue( $_ ); ## And queue them to the worker pool } $Q->enqueue( (undef) x $WORKERS ); ## Signal no more work $_->join for @threads; ## Wait for tehm to finish; exit; ## Done
You'd use it like this:
> ls * | perl -s tdemo.pl -WORKERS=5 [1] Processing workiterm '2of12inf.dic' [1] Processing workiterm '2of12inf.txt' [1] Processing workiterm '3' [4] Processing workiterm '345241' ...
Or like this:
>tdemo -WORKERS=3 work.dat [2] Processing workiterm '00001' [1] Processing workiterm '00002' [2] Processing workiterm '00003' [1] Processing workiterm '00004' [2] Processing workiterm '00005' [1] Processing workiterm '00006' [3] Processing workiterm '00007' [2] Processing workiterm '00008' ...
Of course, this doesn't do very much--just prints and sleeps--but this simple basic structure can be used to service a huge variety of different concurrent programming tasks. Not all, in particular, socket servers require a somewhat modified approach, but still a good proportion of concurrency tasks can be handled this way. And as you only create a limited number of threads, you gain performance because you're not constantly discarding old threads only to replace them near identical new ones.
And, the bit that is very relavent in the context of this thread, if there are any small, per-thread memory leaks, they never become an issue, because you are creating so few threads.
To be able to tailor a reply to your particular situation, you'd have to tell us what it is you are currently doing with those 10,000 threads you are creating :)
|
|---|
| Replies are listed 'Best First'. | |
|---|---|
|
Re^6: does threads (still) memleak?
by faxm0dem (Novice) on Nov 24, 2008 at 15:55 UTC | |
by BrowserUk (Patriarch) on Nov 24, 2008 at 17:00 UTC | |
by faxm0dem (Novice) on Nov 27, 2008 at 14:45 UTC | |
by BrowserUk (Patriarch) on Nov 27, 2008 at 15:13 UTC | |
by faxm0dem (Novice) on Nov 27, 2008 at 15:31 UTC | |
|