Soumya dutta
Soumya dutta

Reputation: 79

Perl simple webserver not handling multiple requests simultaneously

I wrote a simple webserver which should continuously handle simultaneous requests. But, even after detaching the threads it doesn't handle simultaneous requests. Can someone help?

Webserver.pl

use HTTP::Daemon;
use threads;

my $webServer;
my $package_map = {"test"  => "test"};
my $d = HTTP::Daemon->new(LocalAddr => $ARGV[0],
                          LocalPort => 80,
                          Listen => 20) || die;

print "Web Server started!\n";
print "Server Address: ", $d->sockhost(), "\n";
print "Server Port: ", $d->sockport(), "\n";


while (my $c = $d->accept) {
    threads->create(\&process_req, $c)->detach();
}

sub process_req {
    my $c = shift;
    my $r = $c->get_request;
    if ($r) {
        if ($r->method eq "GET") {
            my $path = $r->url->path();
            my $service = $package_map->{$path};
            if ($service) {
                $response = $service->process_request($request);
            }
        }
    }
    $c->close;
    undef($c);
}

test.pm

sub process_request
{
    threads->create(\&testing)->detach();
    my $response = HTTP::Response -> new (200);
    $response -> header('Access-Control-Allow-Origin', '*');
    $response -> content("Success");
    return $response; 
}

sub testing
{
    my $command = 'echo "sleep 100" | ssh -o StrictHostKeyChecking=no -o ConnectTimeout=10 <dev_box>';
    if (system($command) != 0) {
        print "FAILED\n";
    }
}

Upvotes: 1

Views: 502

Answers (1)

Corion
Corion

Reputation: 3925

Here is code based on your example that works for me on Windows. Maybe you can show us how/where it fails for you:

#!perl
use strict;
use warnings;
use HTTP::Daemon;
use threads;

my $webServer;
#my $package_map = {"test"  => "test"};
my $d = HTTP::Daemon->new(LocalAddr => $ARGV[0],
                          LocalPort => $ARGV[1] // 80,
                          Listen => 20) || die;

print "Web Server started!\n";
print "Server Address: ", $d->sockhost(), "\n";
print "Server Port: ", $d->sockport(), "\n";


while (my $c = $d->accept) {
    warn "New connection";
    threads->create(\&process_req, $c)->detach();
}

sub process_req {
    my $c = shift;
    while( my $r = $c->get_request ) {
        if ($r) {
            if ($r->method eq "GET") {
                my $path = $r->url->path();
                if (1) {
                    sleep 100;
                    $c->send_response( HTTP::Response->new(200, "OK", undef, "done\n") );
                }
            }
        }
    };
    $c->close;
}

Upvotes: 1

Related Questions