-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathThroughPutHttpServer.java
70 lines (61 loc) · 2.39 KB
/
ThroughPutHttpServer.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
package performance_optimisations;
import com.sun.net.httpserver.HttpExchange;
import com.sun.net.httpserver.HttpHandler;
import com.sun.net.httpserver.HttpServer;
import java.io.IOException;
import java.io.OutputStream;
import java.net.InetSocketAddress;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.concurrent.Executor;
import java.util.concurrent.Executors;
public class ThroughPutHttpServer {
private static final String INPUT_FILE = "";
private static final int NUMBER_OF_THREADS = 6;
public static void main(String[] args) throws IOException {
String text = new String(Files.readAllBytes(Paths.get(INPUT_FILE)));
startServer(text);
}
public static void startServer(String text) throws IOException {
HttpServer server = HttpServer.create(new InetSocketAddress(8000), 0);
server.createContext("/search", new WordCountHandler(text)); // context assigns a handler to a particular http-route
Executor executor = Executors.newFixedThreadPool(NUMBER_OF_THREADS); // thread pool creation
server.setExecutor(executor);
server.start();
}
public static class WordCountHandler implements HttpHandler {
private final String text;
public WordCountHandler(String text) {
this.text = text;
}
@Override
public void handle(HttpExchange httpExchange) throws IOException {
String query = httpExchange.getRequestURI().getQuery();
String[] keyValue = query.split("=");
String action = keyValue[0];
String word = keyValue[1];
if (!action.equals("word")) {
httpExchange.sendResponseHeaders(400, 0);
return;
}
long count = countWord(word);
byte[] response = Long.toString(count).getBytes();
httpExchange.sendResponseHeaders(200, response.length);
OutputStream outputStream = httpExchange.getResponseBody();
outputStream.write(response);
outputStream.close();
}
private long countWord(String word) {
long count = 0;
int index = 0;
while (index >= 0) {
index = text.indexOf(word, index);
if (index >= 0) {
count++;
index++;
}
}
return count;
}
}
}