Project Report on Implementation and Testing of an HTTP/1.0 Webserver

Size: px
Start display at page:

Download "Project Report on Implementation and Testing of an HTTP/1.0 Webserver"

Transcription

1 Project Report on Implementation and Testing of an HTTP/1.0 Webserver Christian Fritsch, Krister Helbing, Fabian Rakebrandt, Tobias Staub Practical Course Telematics Teaching Assistant: Ingo Juchem Instructor: Dr. Xiaoming Fu SS 2005 Institute for Informatics University of Göttingen, Germany

2 Abstract. This document reports the project Implementation and Testing of an HTTP/1.0 Webserver. which we performed during the practical course Practicum Telematics in the summer semester We discuss some design aspects, give an overview of the implementation and evaluate the performance results. The source code is released under GPL in teleprak/ss2005/webperf.

3 1 Introduction This document describes the details on the design, implementation and testing of an HTTP/1.0 webserver using the programming language C. This was performed as a practicum project during the Summer Semester 2005 at the University of Göttingen. The goal of this project was to build a webserver that should provide basic functionality of HTTP/1.0 as specified in RFC 1945 [1]. The project requirements included the following: 1) should be able to handle incoming HTTP requests in an appropriate way, 2) it has to be file system based, and 3) should work with a thread pool achieving faster transmission times. Although the HTTP/1.0 specification supports common gateway interface (CGI), our web server implementation currently does not understand CGI; furthermore, we have not implemented the POST method. For easy configuration, all MIME types are stored in a static file, so that they can be extended later on in an easy way. In our implementation, we further stored all settings for the program within an external configuration file. This mechanism allows a quick adjustment of the individual settings (e.g. the values for index or default page ) that will take effect after the server has been restarted. We have perfored a number of tests using commonly-available browsers to assure that the server works effectively. This can easily be justified by retrieving various file types with different browsers like Internet Explorer, Firefox or the text based Lynx. In addition, we conducted several performance tests allowing us to make a comparison between the Linux based version and other web serverslike Apache. We also applied the developed web server to the Windows platform and compared the performance (advantages and disadvantages) of both operation systems. Finally, our results suggested that the used number of threads in the server is an important factor in determining the performance.

4 2 Problem Description Developing a web server in C from scratch is not a simple task. Firstly, one has to be acquaint with what the standard C libraries provide and how to map into the designated goals. Second, although other implementations of HTTP/1.0 web servers exist, there is actually no thread based version we can compare with our solution in a direct way. Because of this fact there is no fair competition between our implementations and others. Currently, either the available ones are HTTP/1.1 based and offers an improved performance, or the server does not use multi-threading. We kept this problem open in the rate testing.

5 3 Technical Approach 3.1 Requirements Refering to RFC 1945 The old Version HTTP/0.9 was developed by Tim Berners-Lee in 1990 to transmit HTML documents and supports a special form to inquire the web server about files which is called Simple-Request. In this case the client uses a request that consists only of one single GET method combined with the URI of the document. Retrieving data is just the purpose of the protocol, so the performance can definitely be improved. That is why its successor came into being in HTTP/1.0 offers additional methods like HEAD and POST to enhance the set of functionality. From now on a so called Full-Request will be performed (and refering to that, you will receive a Full-Response). An HTTP/1.0 web server is expected to recognize the protocol version and build a response depending on the format the client comes in. Apart from the request-line headers will be sent to provide optional information about the client. The headers of a request message can be distinguished between a general header, a request header and an entity header. The first one contains the directives Date and Pragma (obsolete, HTTP/1.0 only knows the value no-cache ). Especially the variable date represents its value in three different allowed formats, but only two of them are actually still in use, the RFC 822 (updated by RFC 1123) and ANSI C s asctime format. The request header defines e.g. the accepted file types. That means the web server is told about all types the client supports. Further the User-Agent and the Referer are defined, because of that fact details about the browser are shown and so is also the URI that has lead to the document. The Authorization contains some more information that are requested when the web server returns the message 401 Unauthorized. The entity header deals with the data that can be sent to the server, therefore different content information to the entity body are given. This header is only used in combination with the POST method. Basically the web server replies by sending only the entity body that contains the data which the client wants to be retrieved. This form is called Simple- Response and is the answer to a Simple-Request HTTP/0.9 will send. The HTTP/1.0 server offers quite more information, so it finally replies a status-line that represents the state of the requested document. The first token is always the version of the protocol both parts use, followed by the status code (five different classes) and at least a human readable phrase for the status. Later on there can also be a general header, a response header or an entity header. The first one and last one are the same like they are used within a request message. Some additional information about the server that cannot be placed in the status-line will be put into the fields of the response header. That will be one the one hand the Location that is represented by an absolute URI and on the other hand the Server that describes what kind of software the origin server uses to handle a request. The entity body at the end of the reply contains the requested file, but will only be sent if the target exists and can be read.

6 Because of these headers it is possible to make use of a cache management to achieve conditional GET requests. So the web server will only send files if there is a modification or when the document expires. Otherwise the browser will fall back to locally stored data in order to avoid unnecessary connections. E.g. returning the message 304 not Modified means in this case that the browser will just receive the status-line without the entity. Therefore the new directives Date, Expires or Last-Modified can optimize the cache management which is telling the system how long the files should temporarily be stored. The HEAD method will only fetch the header part of a complete reply, so that the browser can check whether a new version of a file is available. The client is also able to send data via POST with an entity body and specific entity header variables, but that feature is not implemented yet. 3.2 Using Threads The web server uses thread pooling that means each request will be worked out within a single thread taken out of a pool. In this case the listening procedure will not be blocked, because the inquiry can be processed immediately. Otherwise no new client would be able to send a request message to the web server, because it is still busy and cannot handle any new requests at all. So the only limitation is that the server is bound to the defined number of threads. But keep in mind that the performance as well as the failure rate depends on this value. To solve this problem we thought about the definition of this value within the configuration file in order to perform some quick tests that can determine the optimal number of threads.

7 4 Implementation Details 4.1 Interfaces Fig. 1. all participating interfaces of Fabihttp fabihttp.c main: The method called by the operating system on program start mime.c buildmime: Loads the mime.txt file into memory findmime: Called each time the mime type of a document type is requested release mime: Releases the memory used by the mime-types on program exit config.c buildconfig: Loads the options set in config.txt comm.c

8 create socket: Gets a socket from the operating system an returns it s number wait for request: stops the program until a request arrives send response: Sends the response request.c main loop: starts the master thread thread.c masterthread: The main thread that initializes the socket communication and starts threads on incoming requests new thread: creates a new thread, called by masterthread parse.c parserequest: Scans the request String for http commands and fills a request-struct response.c build response: builds a response to a valid request or sends an error message 4.2 Program Initialization Fig. 2. Initialization of Fabihttp As show in Figure 2, first of all the main method loads the mime-types and the configuration options into memory. If no options are set, the program internal default values are used. After that, the main loop method creates the

9 masterthread which establishes a signal handler that quits the program when receiving the <Ctrl-C> commandbytheuser.themasterthread continues creating the first socket connection on the specified http-port and starts to listen for an http-request on it. Both functions are located in the comm.c module. The program is now in a loop between waiting for incoming http-requests and creating a new thread that handles it. 4.3 Request Handling Each time a request arrives at the established socket, the masterthread loop creates a new sub-thread based on the method handle whole request. This method causes the parse module to parse the request string for all interesting http commands. Most important are the http-method (get or head), the desired Uniform Resource Identifier (URI) and the http protocol version (0.9, 1.0 or 1.1). Due to the limitations of Fabihttp all 1.1 requests are handled as 1.0 requests. With the filled request struct as parameter the build response method is called to generate an http-response string. Several answers are currently possible: <HTTP/ Bad Request> if the http-method is undefined, <HTTP/ Not Found> if the requested file does not exist, <HTTP/ Forbidden> if the requested file is not accessible by <OTHER> or outside the specified wwwdir, and of course <HTTP/ OK>. Each response header field contains information like date, file size, server, content-length, last-modified and contenttype. After generating the response string, build response calls the send response method with the response string and the filename to send. Finally the request handling thread is detached by itself. The overall request handling design is depicted in Figure WinFabiHttp Besides, porting the Linux version of Fabihttp to Windows platform was conducted, which we called WinFabiHttp. A simple request-response dispatch by WinFabiHttp was shown in Figure 4. This made it possible to compare the network performance of the different operating systems within one and the same program. Two major problems occurred during the development of the Windows version. First was the lack of operating system internal thread handling and second was the slightly different socket management. The first problem could be solved by using Pthreads-win32 [2]. Pthreadswin32 is a free Open Source Software implementation of the Threads component of the POSIX c 1995 Standard (or later) for Microsoft s Win32 environment, distributed under the GNU Lesser General Public License (LGPL). Because the library is being built using various exception handling schemes and compilers - and because the library may not work reliably if these are mixed in an application, each different version of the library has its own name. For WinFabiHttp the library files pthreadgc2.dll libpthreadgc2.a were used.

10 Fig. 3. Request handling The socket handling under MS-Windows is covered by the winsock library. To use it, the additional includes <winsock2.h> and <mswsock.h> are required. Two incompatibilities were noticed during the Linux to Windows conversion. Unlike the Unix sockets winsock has to be initialized before use and the command for closing a socket connection is closesocket() instead of close(). The executable file is with Bytes considerably larger than the Bytes Linux binary. In return the Windows version can deal with blanks and umlauts in the URI.

11 Fig. 4. Simple request-response dispatch by WinFabiHttp

12 5 Results 5.1 Testing Environment For our tests we used two different environments. The first one consisted of a Pentium 100MHz with 24MB of RAM and Debian Sarge as operating system (server I), an AMD Athlon XP with 512MB of RAM and also Debian Sarge as operating system (server II) and as client we used an Intel Celeron M 1400MHz with 512MB of RAM and Kubuntu as operating system. The three computers were connected in a 100MBit/s LAN via switch. This test setting was used to measure the performance differences with regard to the host computer. The second environment consisted of an AMD Athlon XP with 512 MB of RAM and Windows XP on the one hand and SuSE Linux 9.2 on the other hand as operating system. As client functioned an Intel Pentium III 700 MHz with 512 MB of RAM and SuSE Linux 9.2 as operating system. These computers were also connected in a 100MBit/s LAN via switch. This setting was used to measure the performance differences between the Linux version and the Windows port of our web server. For the comparison of Fabihttp with other web servers we used the open source standard Apache [3], Monkey Httpd 0.9 [4] and the Windows port Win- FabiHttp. The Monkey web server is also an open source project. It s a HTTP/1.1 server, written in C, threadbased but without usage of a thread pool. As testtool we used the httperf - HTTP performance measurement tool. It speaks both HTTP/1.0 and HTTP/1.1 and can simulate a variety of workload. At the end of each test run it provides you with detailed statistics subdivided into different parts like summary, requests, responses, errors and used network bandwith. 5.2 Tests Part 1 First we measured the CPU usage of our web server and how different numbers of concurrent threads affect it (Figure 5). We used our first test environment for this analysis. As expected we measured significant differences. The Pentium is capable of handling about 130 connections per second. Beyond that limit the resources are exceeded. This means if you want to host a private homepage via Fabihttp and you don t expect so many concurrent visitors you can make use of an old disused computer. Next we tested the response times depending on the number of threads. Figure 6 shows clearly that the Athlon handles requests faster than the Pentium. But we didn t get any understandable results concerning the threads. That s why we decided to run additional tests with a lower number of them (<64). 5.3 Tests Part 2 In our following test we analyzed the file transfer times dependent on the filesize. For this and the remaining tests we used our second environment.

13 Fig. 5. CPU usage Figure 7 shows a linear increase of the time values, without significant differences between the web servers. We came to the conclusion the 100MBit/s LAN is the bottleneck in this case, that s why we can t gauge the performance of Fabihttp. After we could not detect differences concerning the filesizes we evaluated unlike send methods. Therefore we began sending with a single character and then increased the buffer size. At the end we compared the values with the sendfile method. This method is known to increase the throughput of the network because the operating system does not copy the data before it will be sent (zerocopy) and the network card is able to fetch the header of the packets from a different place in memory. That will relieve the operating system and the cpu and can accelerate network transactions up to 85%, at least in theory [5]. The first conclusion is the fact that sending data via the send char() method is always ineffective (Figure 8). The performance is getting better when you make use of buffered methods, but there are limitations to this as well. In our test we detected no more increase in performance with a buffer size of 20 bytes or higher. We couldn t even perceive better values for the sendfile method. The next test is about the different file transfer times of Fabihttp and the Windows port WinFabiHttp (Figure 9). As in our first file transfer time test we could not notice significant differences between both versions. The bottleneck in this scenario is the 100MBit/s LAN again. But regarding to the fact that Fabihttp is slightly faster than WinFabiHttp we assume that the Linux we used handles file transfers in general more efficiently than Windows, because both web servers are nearly identical.

14 Fig. 6. response times 5.4 Test Part 3 This part deals with performance differences by investigating variable configuration with regard to different numbers of threads and different operating systems. These tests should demonstrate that a variable number of threads affect the performance considerably. Therefore they will prove that the optimal number of threads depends on the operating system. The following five tests which were all performed with the second environment are supposed to prove the theory: Failure rates of different webservers (Figure 10): This test investigates the failure rates of the three webservers Monkey Httpd 0.9, Fabihttp and Apache with default values. The tests were performed with a range of 1 to 2000 connections per second. As one can see in figure 9, the Apache did his job very well without any failures. The Fabihttp got some few problems which are not really mentionable. But the failure rate of the Monkey Httpd 0.9 increased extremely by 2000 connections per second. That might be caused by a different thread-handling. Success rate (default values) WinFabiHttp vs. Fabihttp (Figure 11): The next test is about the different success rates of Fabihttp and the Windows port WinFabiHttp. The test was performed with a range of 500 to 2000 connections per second. The Fabihttp passed all tests with a success rate of nearly 100%. But the success rate of the WinFabiHttp decreased appreciable by 1000 and 2000 connections per second. That might be caused by Windows internals. Success rate: WinFabiHttp and Fabihttp with different request rates and threads (Figure 12): The following test deals with different numbers of threads. The test was performed with a range of 500 to 2000 connections per second. The Fabihttp as well as the WinFabiHttp were tested.

15 Fig. 7. File transfer time One could see, that the different numbers of threads caused different success rates by both webservers. The webservers reacted very differently. During all the test the success rate of the Fabihttp ranged between 96% and 100%. But the success rate of the WinFabiHttp showed significant differences up to 20 threads. Success rates with 2 threads WinFabiHttp vs. Fabihttp (Figure 13): Here both webservers (WinFabiHttp and Fabihttp) were tested with two threads. The test was performed with a range of 1 to 2000 connections per second. One could expect similar results for both versions, but as one can see in figure 12 the Fabihttp had a success rate of 100% during all the tests and the success rate of the WinFabiHttp decreased extremely. This should prove that the optimal number of threads depends on the operating system. Failure rates with 2 and 64 threads Monkey vs. Fabihttp (Figure 14): The last test investigates the failure rate of the Fabihttp with 2 and 64 threads and the Monkey Httpd 0.9. The Fabihttp with 2 threads had a failure rate of 0%, but the Fabihttp with 64 threads as well as the Monkey caused failures. These results prove that a scalable number of threads can upgrade the performance.

16 Fig. 8. Different send methods Fig. 9. File transfer time

17 Fig. 10. failure rates Fig. 11. Success rates

18 Fig. 12. Success rates Fig. 13. success rates

19 Fig. 14. Failure rates

20 6 Summary and Future Works On the basis of the tests we conclude the following three points: 1. There is a certain number of threads for optimized server performance, however this depends on the used operating system; 2. There is no significant performance benefit with non-standard send methods; 3. Linux seems to handle large numbers of requests better than Windows. In the future it would make sense to go on the following three points: 1. Adjust the optimal number of threads automatically; 2. Implement CGI support. 3. Upgrade to HTTP/1.1.

21 References 1. Berners-Lee, T., Fielding, R., Frystyk, H.: Hypertext transfer protocol http/1.0. RFC 1945, Internet Engineering Task Force (1996) 2. ( win32/) 3. ( 4. ( 5. Wowra, J.P.: Www server optimizations. Seminar report for Advanced Topics in Computer Networking (SS2005) (2005)

1. When will an IP process drop a datagram? 2. When will an IP process fragment a datagram? 3. When will a TCP process drop a segment?

1. When will an IP process drop a datagram? 2. When will an IP process fragment a datagram? 3. When will a TCP process drop a segment? Questions 1. When will an IP process drop a datagram? 2. When will an IP process fragment a datagram? 3. When will a TCP process drop a segment? 4. When will a TCP process resend a segment? CP476 Internet

More information

World Wide Web. Before WWW

World Wide Web. Before WWW World Wide Web Joao.Neves@fe.up.pt Before WWW Major search tools: Gopher and Archie Archie Search FTP archives indexes Filename based queries Gopher Friendly interface Menu driven queries João Neves 2

More information

Chapter 27 Hypertext Transfer Protocol

Chapter 27 Hypertext Transfer Protocol Chapter 27 Hypertext Transfer Protocol Columbus, OH 43210 Jain@CIS.Ohio-State.Edu http://www.cis.ohio-state.edu/~jain/ 27-1 Overview Hypertext language and protocol HTTP messages Browser architecture CGI

More information

CONTENT of this CHAPTER

CONTENT of this CHAPTER CONTENT of this CHAPTER v DNS v HTTP and WWW v EMAIL v SNMP 3.2.1 WWW and HTTP: Basic Concepts With a browser you can request for remote resource (e.g. an HTML file) Web server replies to queries (e.g.

More information

Network Technologies

Network Technologies Network Technologies Glenn Strong Department of Computer Science School of Computer Science and Statistics Trinity College, Dublin January 28, 2014 What Happens When Browser Contacts Server I Top view:

More information

Computer Networks. Lecture 7: Application layer: FTP and HTTP. Marcin Bieńkowski. Institute of Computer Science University of Wrocław

Computer Networks. Lecture 7: Application layer: FTP and HTTP. Marcin Bieńkowski. Institute of Computer Science University of Wrocław Computer Networks Lecture 7: Application layer: FTP and Marcin Bieńkowski Institute of Computer Science University of Wrocław Computer networks (II UWr) Lecture 7 1 / 23 Reminder: Internet reference model

More information

APACHE WEB SERVER. Andri Mirzal, PhD N28-439-03

APACHE WEB SERVER. Andri Mirzal, PhD N28-439-03 APACHE WEB SERVER Andri Mirzal, PhD N28-439-03 Introduction The Apache is an open source web server software program notable for playing a key role in the initial growth of the World Wide Web Typically

More information

Microsoft Windows Server 2003 with Internet Information Services (IIS) 6.0 vs. Linux Competitive Web Server Performance Comparison

Microsoft Windows Server 2003 with Internet Information Services (IIS) 6.0 vs. Linux Competitive Web Server Performance Comparison April 23 11 Aviation Parkway, Suite 4 Morrisville, NC 2756 919-38-28 Fax 919-38-2899 32 B Lakeside Drive Foster City, CA 9444 65-513-8 Fax 65-513-899 www.veritest.com info@veritest.com Microsoft Windows

More information

A Comparative Study on Vega-HTTP & Popular Open-source Web-servers

A Comparative Study on Vega-HTTP & Popular Open-source Web-servers A Comparative Study on Vega-HTTP & Popular Open-source Web-servers Happiest People. Happiest Customers Contents Abstract... 3 Introduction... 3 Performance Comparison... 4 Architecture... 5 Diagram...

More information

Internet Technologies. World Wide Web (WWW) Proxy Server Network Address Translator (NAT)

Internet Technologies. World Wide Web (WWW) Proxy Server Network Address Translator (NAT) Internet Technologies World Wide Web (WWW) Proxy Server Network Address Translator (NAT) What is WWW? System of interlinked Hypertext documents Text, Images, Videos, and other multimedia documents navigate

More information

Lecture 2. Internet: who talks with whom?

Lecture 2. Internet: who talks with whom? Lecture 2. Internet: who talks with whom? An application layer view, with particular attention to the World Wide Web Basic scenario Internet Client (local PC) Server (remote host) Client wants to retrieve

More information

By Bardia, Patit, and Rozheh

By Bardia, Patit, and Rozheh HTTP By Bardia, Patit, and Rozheh HTTP - Introduction - Hyper Text Transfer Protocol -uses the TCP/IP technology -has had the most impact on the World Wide Web (WWW) - specs in RFC 2616 (RFC2616) HTTP

More information

INT322. By the end of this week you will: (1)understand the interaction between a browser, web server, web script, interpreter, and database server.

INT322. By the end of this week you will: (1)understand the interaction between a browser, web server, web script, interpreter, and database server. Objective INT322 Monday, January 19, 2004 By the end of this week you will: (1)understand the interaction between a browser, web server, web script, interpreter, and database server. (2) know what Perl

More information

The Web: some jargon. User agent for Web is called a browser: Web page: Most Web pages consist of: Server for Web is called Web server:

The Web: some jargon. User agent for Web is called a browser: Web page: Most Web pages consist of: Server for Web is called Web server: The Web: some jargon Web page: consists of objects addressed by a URL Most Web pages consist of: base HTML page, and several referenced objects. URL has two components: host name and path name: User agent

More information

CentOS Linux 5.2 and Apache 2.2 vs. Microsoft Windows Web Server 2008 and IIS 7.0 when Serving Static and PHP Content

CentOS Linux 5.2 and Apache 2.2 vs. Microsoft Windows Web Server 2008 and IIS 7.0 when Serving Static and PHP Content Advances in Networks, Computing and Communications 6 92 CentOS Linux 5.2 and Apache 2.2 vs. Microsoft Windows Web Server 2008 and IIS 7.0 when Serving Static and PHP Content Abstract D.J.Moore and P.S.Dowland

More information

Building a Multi-Threaded Web Server

Building a Multi-Threaded Web Server Building a Multi-Threaded Web Server In this lab we will develop a Web server in two steps. In the end, you will have built a multi-threaded Web server that is capable of processing multiple simultaneous

More information

Protocolo HTTP. Web and HTTP. HTTP overview. HTTP overview

Protocolo HTTP. Web and HTTP. HTTP overview. HTTP overview Web and HTTP Protocolo HTTP Web page consists of objects Object can be HTML file, JPEG image, Java applet, audio file, Web page consists of base HTML-file which includes several referenced objects Each

More information

Implementing Reverse Proxy Using Squid. Prepared By Visolve Squid Team

Implementing Reverse Proxy Using Squid. Prepared By Visolve Squid Team Implementing Reverse Proxy Using Squid Prepared By Visolve Squid Team Introduction What is Reverse Proxy Cache About Squid How Reverse Proxy Cache work Configuring Squid as Reverse Proxy Configuring Squid

More information

Optimization of Cluster Web Server Scheduling from Site Access Statistics

Optimization of Cluster Web Server Scheduling from Site Access Statistics Optimization of Cluster Web Server Scheduling from Site Access Statistics Nartpong Ampornaramveth, Surasak Sanguanpong Faculty of Computer Engineering, Kasetsart University, Bangkhen Bangkok, Thailand

More information

Intel DPDK Boosts Server Appliance Performance White Paper

Intel DPDK Boosts Server Appliance Performance White Paper Intel DPDK Boosts Server Appliance Performance Intel DPDK Boosts Server Appliance Performance Introduction As network speeds increase to 40G and above, both in the enterprise and data center, the bottlenecks

More information

Design Notes for an Efficient Password-Authenticated Key Exchange Implementation Using Human-Memorable Passwords

Design Notes for an Efficient Password-Authenticated Key Exchange Implementation Using Human-Memorable Passwords Design Notes for an Efficient Password-Authenticated Key Exchange Implementation Using Human-Memorable Passwords Author: Paul Seymer CMSC498a Contents 1 Background... 2 1.1 HTTP 1.0/1.1... 2 1.2 Password

More information

SWE 444 Internet and Web Application Development. Introduction to Web Technology. Dr. Ahmed Youssef. Internet

SWE 444 Internet and Web Application Development. Introduction to Web Technology. Dr. Ahmed Youssef. Internet SWE 444 Internet and Web Application Development Introduction to Web Technology Dr. Ahmed Youssef Internet It is a network of networks connected and communicating using TCP/IP communication protocol 2

More information

Project #2. CSE 123b Communications Software. HTTP Messages. HTTP Basics. HTTP Request. HTTP Request. Spring 2002. Four parts

Project #2. CSE 123b Communications Software. HTTP Messages. HTTP Basics. HTTP Request. HTTP Request. Spring 2002. Four parts CSE 123b Communications Software Spring 2002 Lecture 11: HTTP Stefan Savage Project #2 On the Web page in the next 2 hours Due in two weeks Project reliable transport protocol on top of routing protocol

More information

Interactive Applications in Teaching with the MATLAB Web Server. 1 Aim and structure of the MATLAB Web Server

Interactive Applications in Teaching with the MATLAB Web Server. 1 Aim and structure of the MATLAB Web Server Interactive Applications in Teaching with the MATLAB Web Server Andreas Pester, Ramiz Ismailov Carinthia Tech Institute, School of Electronics Key words: Tele-learning, MATLAB, Matlabserver, Web-based

More information

Application Note. Windows 2000/XP TCP Tuning for High Bandwidth Networks. mguard smart mguard PCI mguard blade

Application Note. Windows 2000/XP TCP Tuning for High Bandwidth Networks. mguard smart mguard PCI mguard blade Application Note Windows 2000/XP TCP Tuning for High Bandwidth Networks mguard smart mguard PCI mguard blade mguard industrial mguard delta Innominate Security Technologies AG Albert-Einstein-Str. 14 12489

More information

Serving dynamic webpages in less than a millisecond

Serving dynamic webpages in less than a millisecond Serving dynamic webpages in less than a millisecond John Fremlin 2008 November 8 Contents This talk is about a web-application framework I built. Introduction Benchmarking framework overhead High performance

More information

Web Server Manual. Mike Burns (netgeek@speakeasy.net) Greg Pettyjohn (gregp@ccs.neu.edu) Jay McCarthy (jay.mccarthy@gmail.com) November 20, 2006

Web Server Manual. Mike Burns (netgeek@speakeasy.net) Greg Pettyjohn (gregp@ccs.neu.edu) Jay McCarthy (jay.mccarthy@gmail.com) November 20, 2006 Web Server Manual Mike Burns (netgeek@speakeasy.net) Greg Pettyjohn (gregp@ccs.neu.edu) Jay McCarthy (jay.mccarthy@gmail.com) November 20, 2006 Copyright notice Copyright c 1996-2006 PLT Permission is

More information

Port Use and Contention in PlanetLab

Port Use and Contention in PlanetLab Port Use and Contention in PlanetLab Jeff Sedayao Intel Corporation David Mazières Department of Computer Science, NYU PDN 03 016 December 2003 Status: Ongoing Draft. Port Use and Contention in PlanetLab

More information

The Web History (I) The Web History (II)

The Web History (I) The Web History (II) Goals of Today s Lecture EE 122: The World Wide Web Ion Stoica TAs: Junda Liu, DK Moon, David Zats http://inst.eecs.berkeley.edu/~ee122/ (Materials with thanks to Vern Paxson, Jennifer Rexford, and colleagues

More information

One Server Per City: C Using TCP for Very Large SIP Servers. Kumiko Ono Henning Schulzrinne {kumiko, hgs}@cs.columbia.edu

One Server Per City: C Using TCP for Very Large SIP Servers. Kumiko Ono Henning Schulzrinne {kumiko, hgs}@cs.columbia.edu One Server Per City: C Using TCP for Very Large SIP Servers Kumiko Ono Henning Schulzrinne {kumiko, hgs}@cs.columbia.edu Goal Answer the following question: How does using TCP affect the scalability and

More information

Outline Definition of Webserver HTTP Static is no fun Software SSL. Webserver. in a nutshell. Sebastian Hollizeck. June, the 4 th 2013

Outline Definition of Webserver HTTP Static is no fun Software SSL. Webserver. in a nutshell. Sebastian Hollizeck. June, the 4 th 2013 Definition of in a nutshell June, the 4 th 2013 Definition of Definition of Just another definition So what is it now? Example CGI php comparison log-file Definition of a formal definition Aisaprogramthat,usingthe

More information

Internet Information TE Services 5.0. Training Division, NIC New Delhi

Internet Information TE Services 5.0. Training Division, NIC New Delhi Internet Information TE Services 5.0 Training Division, NIC New Delhi Understanding the Web Technology IIS 5.0 Architecture IIS 5.0 Installation IIS 5.0 Administration IIS 5.0 Security Understanding The

More information

HTTP. Internet Engineering. Fall 2015. Bahador Bakhshi CE & IT Department, Amirkabir University of Technology

HTTP. Internet Engineering. Fall 2015. Bahador Bakhshi CE & IT Department, Amirkabir University of Technology HTTP Internet Engineering Fall 2015 Bahador Bakhshi CE & IT Department, Amirkabir University of Technology Questions Q1) How do web server and client browser talk to each other? Q1.1) What is the common

More information

Traffic Analyzer Based on Data Flow Patterns

Traffic Analyzer Based on Data Flow Patterns AUTOMATYKA 2011 Tom 15 Zeszyt 3 Artur Sierszeñ*, ukasz Sturgulewski* Traffic Analyzer Based on Data Flow Patterns 1. Introduction Nowadays, there are many systems of Network Intrusion Detection System

More information

Technical Research Paper. Performance tests with the Microsoft Internet Security and Acceleration (ISA) Server

Technical Research Paper. Performance tests with the Microsoft Internet Security and Acceleration (ISA) Server Technical Research Paper Performance tests with the Microsoft Internet Security and Acceleration (ISA) Server Author: Martin Eisermann Date: 2002-05-13 City: Bad Aibling, Germany Annotations: This research

More information

MatrixSSL Getting Started

MatrixSSL Getting Started MatrixSSL Getting Started TABLE OF CONTENTS 1 OVERVIEW... 3 1.1 Who is this Document For?... 3 2 COMPILING AND TESTING MATRIXSSL... 4 2.1 POSIX Platforms using Makefiles... 4 2.1.1 Preparation... 4 2.1.2

More information

Deployment Guide Oracle Siebel CRM

Deployment Guide Oracle Siebel CRM Deployment Guide Oracle Siebel CRM DG_ OrSCRM_032013.1 TABLE OF CONTENTS 1 Introduction...4 2 Deployment Topology...4 2.1 Deployment Prerequisites...6 2.2 Siebel CRM Server Roles...7 3 Accessing the AX

More information

10. Java Servelet. Introduction

10. Java Servelet. Introduction Chapter 10 Java Servlets 227 10. Java Servelet Introduction Java TM Servlet provides Web developers with a simple, consistent mechanism for extending the functionality of a Web server and for accessing

More information

Magento & Zend Benchmarks Version 1.2, 1.3 (with & without Flat Catalogs)

Magento & Zend Benchmarks Version 1.2, 1.3 (with & without Flat Catalogs) Magento & Zend Benchmarks Version 1.2, 1.3 (with & without Flat Catalogs) 1. Foreword Magento is a PHP/Zend application which intensively uses the CPU. Since version 1.1.6, each new version includes some

More information

Adding Advanced Caching and Replication Techniques to the Apache Web Server

Adding Advanced Caching and Replication Techniques to the Apache Web Server Adding Advanced Caching and Replication Techniques to the Apache Web Server Joachim Marder, Steffen Rothkugel, Peter Sturm University of Trier D-54286 Trier, Germany Email: marder@jam-software.com, sroth@uni-trier.de,

More information

Web Development. Owen Sacco. ICS2205/ICS2230 Web Intelligence

Web Development. Owen Sacco. ICS2205/ICS2230 Web Intelligence Web Development Owen Sacco ICS2205/ICS2230 Web Intelligence Brief Course Overview An introduction to Web development Server-side Scripting Web Servers PHP Client-side Scripting HTML & CSS JavaScript &

More information

CS640: Introduction to Computer Networks. Applications FTP: The File Transfer Protocol

CS640: Introduction to Computer Networks. Applications FTP: The File Transfer Protocol CS640: Introduction to Computer Networks Aditya Akella Lecture 4 - Application Protocols, Performance Applications FTP: The File Transfer Protocol user at host FTP FTP user client interface local file

More information

The Hyper-Text Transfer Protocol (HTTP)

The Hyper-Text Transfer Protocol (HTTP) The Hyper-Text Transfer Protocol (HTTP) Antonio Carzaniga Faculty of Informatics University of Lugano October 4, 2011 2005 2007 Antonio Carzaniga 1 HTTP message formats Outline HTTP methods Status codes

More information

CTIS 256 Web Technologies II. Week # 1 Serkan GENÇ

CTIS 256 Web Technologies II. Week # 1 Serkan GENÇ CTIS 256 Web Technologies II Week # 1 Serkan GENÇ Introduction Aim: to be able to develop web-based applications using PHP (programming language) and mysql(dbms). Internet is a huge network structure connecting

More information

Development and Evaluation of an Experimental Javabased

Development and Evaluation of an Experimental Javabased Development and Evaluation of an Experimental Javabased Web Server Syed Mutahar Aaqib Department of Computer Science & IT University of Jammu Jammu, India Lalitsen Sharma, PhD. Department of Computer Science

More information

Web Server Software Architectures

Web Server Software Architectures Web Server Software Architectures Author: Daniel A. Menascé Presenter: Noshaba Bakht Web Site performance and scalability 1.workload characteristics. 2.security mechanisms. 3. Web cluster architectures.

More information

PRODUCTIVITY ESTIMATION OF UNIX OPERATING SYSTEM

PRODUCTIVITY ESTIMATION OF UNIX OPERATING SYSTEM Computer Modelling & New Technologies, 2002, Volume 6, No.1, 62-68 Transport and Telecommunication Institute, Lomonosov Str.1, Riga, LV-1019, Latvia STATISTICS AND RELIABILITY PRODUCTIVITY ESTIMATION OF

More information

DESIGN AND IMPLEMENTATION OF A WEB SERVER FOR A HOSTING SERVICE

DESIGN AND IMPLEMENTATION OF A WEB SERVER FOR A HOSTING SERVICE DESIGN AND IMPLEMENTATION OF A WEB SERVER FOR A HOSTING SERVICE Daisuke Hara, Ryota Ozaki, Kazuki Hyoudou, and Yasuichi Nakayama Department of Computer Science The University of Electro-Communications

More information

Accelerating Rails with

Accelerating Rails with Accelerating Rails with lighty Jan Kneschke jan@kneschke.de RailsConf 2006 Chicago, IL, USA Who is that guy? Jan Kneschke Main developer of lighty Works at MySQL AB Lives in Kiel, Germany Had to choose

More information

HTTP Protocol. Bartosz Walter <Bartek.Walter@man.poznan.pl>

HTTP Protocol. Bartosz Walter <Bartek.Walter@man.poznan.pl> HTTP Protocol Bartosz Walter Agenda Basics Methods Headers Response Codes Cookies Authentication Advanced Features of HTTP 1.1 Internationalization HTTP Basics defined in

More information

The Lagopus SDN Software Switch. 3.1 SDN and OpenFlow. 3. Cloud Computing Technology

The Lagopus SDN Software Switch. 3.1 SDN and OpenFlow. 3. Cloud Computing Technology 3. The Lagopus SDN Software Switch Here we explain the capabilities of the new Lagopus software switch in detail, starting with the basics of SDN and OpenFlow. 3.1 SDN and OpenFlow Those engaged in network-related

More information

MFPConnect Monitoring. Monitoring with IPCheck Server Monitor. Integration Manual Version 2.05.00 Edition 1

MFPConnect Monitoring. Monitoring with IPCheck Server Monitor. Integration Manual Version 2.05.00 Edition 1 MFPConnect Monitoring Monitoring with IPCheck Server Monitor Integration Manual Version 2.05.00 Edition 1 TABLE OF CONTENTS 1. INTRODUCTION...3 2. REQUIREMENTS...4 3. RESTRICTIONS...5 4. INSTALLATION...6

More information

Introducing the Microsoft IIS deployment guide

Introducing the Microsoft IIS deployment guide Deployment Guide Deploying Microsoft Internet Information Services with the BIG-IP System Introducing the Microsoft IIS deployment guide F5 s BIG-IP system can increase the existing benefits of deploying

More information

Description of Microsoft Internet Information Services (IIS) 5.0 and

Description of Microsoft Internet Information Services (IIS) 5.0 and Page 1 of 10 Article ID: 318380 - Last Review: July 7, 2008 - Revision: 8.1 Description of Microsoft Internet Information Services (IIS) 5.0 and 6.0 status codes This article was previously published under

More information

Comparative Study of Load Testing Tools

Comparative Study of Load Testing Tools Comparative Study of Load Testing Tools Sandeep Bhatti, Raj Kumari Student (ME), Department of Information Technology, University Institute of Engineering & Technology, Punjab University, Chandigarh (U.T.),

More information

MASTER THESIS. TITLE: Analysis and evaluation of high performance web servers

MASTER THESIS. TITLE: Analysis and evaluation of high performance web servers MASTER THESIS TITLE: Analysis and evaluation of high performance web servers MASTER DEGREE: Master in Science in Telecommunication Engineering & Management AUTHOR: Albert Hidalgo Barea DIRECTOR: Rubén

More information

Exercises: FreeBSD: Apache and SSL: SANOG VI IP Services Workshop

Exercises: FreeBSD: Apache and SSL: SANOG VI IP Services Workshop Exercises Exercises: FreeBSD: Apache and SSL: SANOG VI IP Services Workshop July 18, 2005 1. 2. 3. 4. 5. Install Apache with SSL support Configure Apache to start at boot Verify that http and https (Apache)

More information

EWeb: Highly Scalable Client Transparent Fault Tolerant System for Cloud based Web Applications

EWeb: Highly Scalable Client Transparent Fault Tolerant System for Cloud based Web Applications ECE6102 Dependable Distribute Systems, Fall2010 EWeb: Highly Scalable Client Transparent Fault Tolerant System for Cloud based Web Applications Deepal Jayasinghe, Hyojun Kim, Mohammad M. Hossain, Ali Payani

More information

IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including:

IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including: IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including: 1. IT Cost Containment 84 topics 2. Cloud Computing Readiness 225

More information

SIDN Server Measurements

SIDN Server Measurements SIDN Server Measurements Yuri Schaeffer 1, NLnet Labs NLnet Labs document 2010-003 July 19, 2010 1 Introduction For future capacity planning SIDN would like to have an insight on the required resources

More information

Web Application s Performance Testing

Web Application s Performance Testing Web Application s Performance Testing B. Election Reddy (07305054) Guided by N. L. Sarda April 13, 2008 1 Contents 1 Introduction 4 2 Objectives 4 3 Performance Indicators 5 4 Types of Performance Testing

More information

Internet Technologies Internet Protocols and Services

Internet Technologies Internet Protocols and Services QAFQAZ UNIVERSITY Computer Engineering Department Internet Technologies Internet Protocols and Services Dr. Abzetdin ADAMOV Chair of Computer Engineering Department aadamov@qu.edu.az http://ce.qu.edu.az/~aadamov

More information

Performance analysis of a Linux based FTP server

Performance analysis of a Linux based FTP server Performance analysis of a Linux based FTP server A Thesis Submitted in Partial Fulfillment of the Requirements for the Degree of Master of Technology by Anand Srivastava to the Department of Computer Science

More information

Deployment Guide Microsoft IIS 7.0

Deployment Guide Microsoft IIS 7.0 Deployment Guide Microsoft IIS 7.0 DG_IIS_022012.1 TABLE OF CONTENTS 1 Introduction... 4 2 Deployment Guide Overview... 4 3 Deployment Guide Prerequisites... 4 4 Accessing the AX Series Load Balancer...

More information

SIP: Protocol Overview

SIP: Protocol Overview SIP: Protocol Overview NOTICE 2001 RADVISION Ltd. All intellectual property rights in this publication are owned by RADVISION Ltd. and are protected by United States copyright laws, other applicable copyright

More information

Working With Virtual Hosts on Pramati Server

Working With Virtual Hosts on Pramati Server Working With Virtual Hosts on Pramati Server 13 Overview Virtual hosting allows a single machine to be addressed by different names. There are two ways for configuring Virtual Hosts. They are: Domain Name

More information

GDC Data Transfer Tool User s Guide. NCI Genomic Data Commons (GDC)

GDC Data Transfer Tool User s Guide. NCI Genomic Data Commons (GDC) GDC Data Transfer Tool User s Guide NCI Genomic Data Commons (GDC) Contents 1 Getting Started 3 Getting Started.......................................................... 3 The GDC Data Transfer Tool: An

More information

CS 377: Operating Systems. Outline. A review of what you ve learned, and how it applies to a real operating system. Lecture 25 - Linux Case Study

CS 377: Operating Systems. Outline. A review of what you ve learned, and how it applies to a real operating system. Lecture 25 - Linux Case Study CS 377: Operating Systems Lecture 25 - Linux Case Study Guest Lecturer: Tim Wood Outline Linux History Design Principles System Overview Process Scheduling Memory Management File Systems A review of what

More information

Web Server for Embedded Systems

Web Server for Embedded Systems Web Server for Embedded Systems Klaus-D. Walter After the everybody-in-the-internet-wave now obviously follows the everything-in-the- Internet-wave. The most coffee, vending and washing machines are still

More information

Cache Configuration Reference

Cache Configuration Reference Sitecore CMS 6.2 Cache Configuration Reference Rev: 2009-11-20 Sitecore CMS 6.2 Cache Configuration Reference Tips and Techniques for Administrators and Developers Table of Contents Chapter 1 Introduction...

More information

S y s t e m A r c h i t e c t u r e

S y s t e m A r c h i t e c t u r e S y s t e m A r c h i t e c t u r e V e r s i o n 5. 0 Page 1 Enterprise etime automates and streamlines the management, collection, and distribution of employee hours, and eliminates the use of manual

More information

WWW. World Wide Web Aka The Internet. dr. C. P. J. Koymans. Informatics Institute Universiteit van Amsterdam. November 30, 2007

WWW. World Wide Web Aka The Internet. dr. C. P. J. Koymans. Informatics Institute Universiteit van Amsterdam. November 30, 2007 WWW World Wide Web Aka The Internet dr. C. P. J. Koymans Informatics Institute Universiteit van Amsterdam November 30, 2007 dr. C. P. J. Koymans (UvA) WWW November 30, 2007 1 / 36 WWW history (1) 1968

More information

Understanding Slow Start

Understanding Slow Start Chapter 1 Load Balancing 57 Understanding Slow Start When you configure a NetScaler to use a metric-based LB method such as Least Connections, Least Response Time, Least Bandwidth, Least Packets, or Custom

More information

Painless Web Proxying with Apache mod_proxy

Painless Web Proxying with Apache mod_proxy Painless Web Proxying with Apache mod_proxy Justin R. Erenkrantz University of California, Irvine and Google, Inc. http://www.erenkrantz.com/oscon/ justin@erenkrantz.com Why should I pay attention? Apache

More information

Manual. Netumo NETUMO HELP MANUAL WWW.NETUMO.COM. Copyright Netumo 2014 All Rights Reserved

Manual. Netumo NETUMO HELP MANUAL WWW.NETUMO.COM. Copyright Netumo 2014 All Rights Reserved Manual Netumo NETUMO HELP MANUAL WWW.NETUMO.COM Copyright Netumo 2014 All Rights Reserved Table of Contents 1 Introduction... 0 2 Creating an Account... 0 2.1 Additional services Login... 1 3 Adding a

More information

PERFORMANCE IMPACT OF WEB SERVICES ON INTERNET SERVERS

PERFORMANCE IMPACT OF WEB SERVICES ON INTERNET SERVERS PERFORMANCE IMPACT OF WEB SERVICES ON INTERNET SERVERS M. Tian, T. Voigt, T. Naumowicz, H. Ritter, J. Schiller Freie Universität Berlin Computer Systems & Telematics {tian, voigt, naumowic, hritter, schiller}@inf.fu-berlin.de

More information

Web. Services. Web Technologies. Today. Web. Technologies. Internet WWW. Protocols TCP/IP HTTP. Apache. Next Time. Lecture #3 2008 3 Apache.

Web. Services. Web Technologies. Today. Web. Technologies. Internet WWW. Protocols TCP/IP HTTP. Apache. Next Time. Lecture #3 2008 3 Apache. JSP, and JSP, and JSP, and 1 2 Lecture #3 2008 3 JSP, and JSP, and Markup & presentation (HTML, XHTML, CSS etc) Data storage & access (JDBC, XML etc) Network & application protocols (, etc) Programming

More information

Internet Technologies_1. Doc. Ing. František Huňka, CSc.

Internet Technologies_1. Doc. Ing. František Huňka, CSc. 1 Internet Technologies_1 Doc. Ing. František Huňka, CSc. Outline of the Course 2 Internet and www history. Markup languages. Software tools. HTTP protocol. Basic architecture of the web systems. XHTML

More information

reference: HTTP: The Definitive Guide by David Gourley and Brian Totty (O Reilly, 2002)

reference: HTTP: The Definitive Guide by David Gourley and Brian Totty (O Reilly, 2002) 1 cse879-03 2010-03-29 17:23 Kyung-Goo Doh Chapter 3. Web Application Technologies reference: HTTP: The Definitive Guide by David Gourley and Brian Totty (O Reilly, 2002) 1. The HTTP Protocol. HTTP = HyperText

More information

MEASURING WORKLOAD PERFORMANCE IS THE INFRASTRUCTURE A PROBLEM?

MEASURING WORKLOAD PERFORMANCE IS THE INFRASTRUCTURE A PROBLEM? MEASURING WORKLOAD PERFORMANCE IS THE INFRASTRUCTURE A PROBLEM? Ashutosh Shinde Performance Architect ashutosh_shinde@hotmail.com Validating if the workload generated by the load generating tools is applied

More information

1945: 1989: ! Tim Berners-Lee (CERN) writes internal proposal to develop a. 1990:! Tim BL writes a graphical browser for Next machines.

1945: 1989: ! Tim Berners-Lee (CERN) writes internal proposal to develop a. 1990:! Tim BL writes a graphical browser for Next machines. Systemprogrammering 2009 Föreläsning 9 Web Services Topics! HTTP! Serving static content! Serving dynamic content 1945: 1989: Web History! Vannevar Bush, As we may think, Atlantic Monthly, July, 1945.

More information

DEPLOYMENT GUIDE Version 1.0. Deploying the BIG-IP LTM with Apache Tomcat and Apache HTTP Server

DEPLOYMENT GUIDE Version 1.0. Deploying the BIG-IP LTM with Apache Tomcat and Apache HTTP Server DEPLOYMENT GUIDE Version 1.0 Deploying the BIG-IP LTM with Apache Tomcat and Apache HTTP Server Table of Contents Table of Contents Deploying the BIG-IP LTM with Tomcat application servers and Apache web

More information

7 Why Use Perl for CGI?

7 Why Use Perl for CGI? 7 Why Use Perl for CGI? Perl is the de facto standard for CGI programming for a number of reasons, but perhaps the most important are: Socket Support: Perl makes it easy to create programs that interface

More information

Using Dynamic Feedback to Optimise Load Balancing Decisions

Using Dynamic Feedback to Optimise Load Balancing Decisions Using Dynamic Feedback to Optimise Load Balancing Decisions Jeremy Kerr jeremy@redfishsoftware.com.au Abstract The goal of a network load balancer is to distribute a workload evenly amongst a cluster of

More information

Research of Web Real-Time Communication Based on Web Socket

Research of Web Real-Time Communication Based on Web Socket Int. J. Communications, Network and System Sciences, 2012, 5, 797-801 http://dx.doi.org/10.4236/ijcns.2012.512083 Published Online December 2012 (http://www.scirp.org/journal/ijcns) Research of Web Real-Time

More information

Securing The Apache Web Server. Agenda. Background. Matthew Cook http://escarpment.net/

Securing The Apache Web Server. Agenda. Background. Matthew Cook http://escarpment.net/ Securing The Apache Web Server Matthew Cook http://escarpment.net/ Agenda Background Web Servers Connections Apache History System Attacks Securing Apache Useful Tools In Summary Further Advice and Guidance

More information

WHAT IS A WEB SERVER?

WHAT IS A WEB SERVER? 4663ch01.qxd_lb 12/2/99 12:54 PM Page 1 CHAPTER 1 WHAT IS A WEB SERVER? Never trust a computer you can t throw out a window. Steve Wozniak CHAPTER OBJECTIVES In this chapter you will learn about: Client/Server

More information

Network Probe User Guide

Network Probe User Guide Network Probe User Guide Network Probe User Guide Table of Contents 1. Introduction...1 2. Installation...2 Windows installation...2 Linux installation...3 Mac installation...4 License key...5 Deployment...5

More information

Globus Striped GridFTP Framework and Server. Raj Kettimuthu, ANL and U. Chicago

Globus Striped GridFTP Framework and Server. Raj Kettimuthu, ANL and U. Chicago Globus Striped GridFTP Framework and Server Raj Kettimuthu, ANL and U. Chicago Outline Introduction Features Motivation Architecture Globus XIO Experimental Results 3 August 2005 The Ohio State University

More information

A Tool for Evaluation and Optimization of Web Application Performance

A Tool for Evaluation and Optimization of Web Application Performance A Tool for Evaluation and Optimization of Web Application Performance Tomáš Černý 1 cernyto3@fel.cvut.cz Michael J. Donahoo 2 jeff_donahoo@baylor.edu Abstract: One of the main goals of web application

More information

Drupal Performance Tuning

Drupal Performance Tuning Drupal Performance Tuning By Jeremy Zerr Website: http://www.jeremyzerr.com @jrzerr http://www.linkedin.com/in/jrzerr Overview Basics of Web App Systems Architecture General Web

More information

24x7 Scheduler Multi-platform Edition 5.2

24x7 Scheduler Multi-platform Edition 5.2 24x7 Scheduler Multi-platform Edition 5.2 Installing and Using 24x7 Web-Based Management Console with Apache Tomcat web server Copyright SoftTree Technologies, Inc. 2004-2014 All rights reserved Table

More information

PERFORMANCE ANALYSIS OF WEB SERVERS Apache and Microsoft IIS

PERFORMANCE ANALYSIS OF WEB SERVERS Apache and Microsoft IIS PERFORMANCE ANALYSIS OF WEB SERVERS Apache and Microsoft IIS Andrew J. Kornecki, Nick Brixius Embry Riddle Aeronautical University, Daytona Beach, FL 32114 Email: kornecka@erau.edu, brixiusn@erau.edu Ozeas

More information

Performance Comparison of Web-based Database Access

Performance Comparison of Web-based Database Access Performance Comparison of Web-based Database Access Gabriele KOTSIS Department for Telecooperation, Johannes Kepler University Linz, A-4040, Austria Email: gk@tk.uni-linz.ac.at and Lukas TAFERNER Abteilung

More information

CommandCenter Secure Gateway

CommandCenter Secure Gateway CommandCenter Secure Gateway Quick Setup Guide for CC-SG Virtual Appliance and lmadmin License Server Management This Quick Setup Guide explains how to install and configure the CommandCenter Secure Gateway.

More information

Lektion 2: Web als Graph / Web als System

Lektion 2: Web als Graph / Web als System Lektion 2: Web als Graph / Web als System Helmar Burkhart Informatik Universität Basel Helmar.Burkhart@... WT-2-1 Lernziele und Inhalt Web als Graph erkennen Grundelemente von sozialen Netzwerken sehen

More information

The Three-level Approaches for Differentiated Service in Clustering Web Server

The Three-level Approaches for Differentiated Service in Clustering Web Server The Three-level Approaches for Differentiated Service in Clustering Web Server Myung-Sub Lee and Chang-Hyeon Park School of Computer Science and Electrical Engineering, Yeungnam University Kyungsan, Kyungbuk

More information

Firewall Security: Policies, Testing and Performance Evaluation

Firewall Security: Policies, Testing and Performance Evaluation Firewall Security: Policies, Testing and Performance Evaluation Michael R. Lyu and Lorrien K. Y. Lau Department of Computer Science and Engineering The Chinese University of Hong Kong, Shatin, HK lyu@cse.cuhk.edu.hk,

More information

Programming the Apache Lifecycle

Programming the Apache Lifecycle PART III Programming the Apache Lifecycle Now that you have been exposed to the mod_perl API, you might be scratching your head somewhat, asking All this is nice, but now what do I do with it? In order

More information