I'm not a professional Go programmer so feel free to correct me on anything.
The rest of this post is going to follow the example program from this piece of Go Documentation. I'm even going to straight rip a lot of the prose.
My intent is to highlight how you can do spiritually similar things in Java.
The code in this guide, god willing, will work unaltered in Java 25.
Make a new directory for this tutorial and cd into it:
$ mkdir javawiki
$ cd javawiki
Create a file named Wiki.java
, open it in your favorite editor, and add the following lines:
void main() {
}
A wiki consists of a series of interconnected pages, each of which has a title and a body (the page content). Here, we define Page as a record with two components representing the title and body.
Page(String title, byte[] body) {} record
The Page
record describes how page data will be stored in memory. But what about persistent storage? We can address that by creating a save method on Page:
Page(String title, byte[] body) {
record void save() throws IOException {
= title + ".txt";
var filename .write(Path.of(filename), body);
Files}
}
The save
method throws an IOException
to let the application handle it should anything go wrong while writing the file. If all goes well, Page.save()
will return without throwing.
In addition to saving pages, we will want to load pages, too:
Page(String title, byte[] body) {
record void save() throws IOException {
= title + ".txt";
var filename .write(Path.of(filename), body);
Files}
static Page load(String title) throws IOException {
= title + ".txt";
var filename = Files.readAllBytes(Path.of(filename));
var body return new Page(title, body);
}
}
The method load
constructs the file name from the title parameter, reads the file's contents into a new variable body, and returns a reference to a Page
object.
At this point we have a simple data structure and the ability to save to and load from a file. Let's update the main method to test what we've written:
void main() throws IOException {
= new Page(
var p1 "TestPage",
"This is a sample Page.".getBytes(StandardCharsets.UTF_8)
);
.save();
p1= Page.load("TestPage");
var p2 .println(new String(p2.body, StandardCharsets.UTF_8));
IO}
After executing this code, a file named TestPage.txt
would be created, containing the contents of p1. The file would then be read into p2, and its body
component printed to the screen.
You can run the program like this:
$ java Wiki.java
Click here to view the code we've written so far.
Here's a full working example of a simple web server:
import module jdk.httpserver;
void handler(HttpExchange exchange) throws IOException {
.sendResponseHeaders(200, 0);
exchangetry (var os = exchange.getResponseBody()) {
.write(
os"Hi there, I love %s!"
.formatted(exchange.getRequestURI().getPath().substring(1))
.getBytes(StandardCharsets.UTF_8)
);
}
}
void main() throws IOException {
= HttpServer.create(
var server new InetSocketAddress(8080),
0
);
.createContext("/", this::handler);
server.start();
server}
The main
method begins with a call to HttpServer.create
, which creates an http server that will listen on port 8080. (Don't worry about its second parameter, 0
, for now.)
Then server.createContext
tells the server to handle all requests to the web root ("/") with handler.
It then calls `server.start(). This method will block until the program is terminated.
If you run this program and access the URL:
http://localhost:8080/monkeys
the program would present a page containing:
Hi there, I love monkeys!
The jdk.httpserver
module does not see as widespread use as Go's equivalent. As such, I think there are some ways to improve the API that should be rolled into the standard library at some point.
I put the most important of these - a Body
abstraction - into a library. I'm going to ignore how to procure libraries in Java for the moment, but suspend your disbelief in the meantime.
With this library the server example above becomes the following:
import module jdk.httpserver;
import module dev.mccue.jdk.httpserver;
void handler(HttpExchange exchange) throws IOException {
.sendResponse(
HttpExchanges,
exchange200,
.of("Hi there, I love %s!".formatted(
Body.getRequestURI().getPath().substring(1)
exchange))
);
}
void main() throws IOException {
= HttpServer.create(
var server new InetSocketAddress(8080),
0
);
.createContext("/", this::handler);
server.start();
server}
Let's create a handler, viewHandler that will allow users to view a wiki page. It will handle URLs prefixed with "/view/".
void viewHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/view/".length());
= Page.load(title);
var p .sendResponse(
HttpExchanges,
exchange200,
.of(
Body"<h1>%s</h1><div>%s</div>"
.formatted(
.title,
pnew String(p.body, StandardCharsets.UTF_8)
)
)
);
}
To use this handler, we rewrite our main function to initialize an HttpServer
using the viewHandler
to handle any requests under the path /view/
.
void main() throws IOException {
= HttpServer.create(
var server new InetSocketAddress(8080),
0
);
.createContext("/view/", this::viewHandler);
server.start();
server}
Click here to view the code we've written so far.
Let's create some page data (as test.txt), compile our code, and try serving a wiki page.
Open test.txt file in your editor, and save the string "Hello world" (without quotes) in it.
java --module-path lib --add-modules ALL-MODULE-PATH Wiki.java
With this web server running, a visit to http://localhost:8080/view/test
should show a page titled "test" containing the words "Hello world".
A wiki is not a wiki without the ability to edit pages. Let's create two new handlers: one named editHandler
to display an 'edit page' form, and the other named saveHandler
to save the data entered via the form.
First, we add them to main()
:
void main() throws IOException {
= HttpServer.create(
var server new InetSocketAddress(8700),
0
);
.createContext("/view/", this::viewHandler);
server.createContext("/edit/", this::editHandler);
server.createContext("/save/", this::saveHandler);
server.start();
server}
The method editHandler
loads the page (or, if it doesn't exist, create an empty Page record), and displays an HTML form.
void editHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/edit/".length());
;
Page ptry {
= Page.load(title);
p } catch (NoSuchFileException e) {
= new Page(title, new byte[]{});
p }
.sendResponse(
HttpExchanges,
exchange200,
.of(
Body"""
<h1>Editing %s</h1>
<form action="/save/%s" method="POST">
<textarea name="body">%s</textarea><br>
<input type="submit" value="Save">
</form>
""".formatted(
.title,
p.title,
pnew String(p.body, StandardCharsets.UTF_8)
)
)
;
)}
This function will work fine, but all that hard-coded HTML is ugly. Of course, there is a better way.
(I mean honestly the bigger issue is XSS vulnerabilities, but whatever. Following along.)
com.samskivert.jmustache
is a library available in the Java ecosystem. We can use it to keep the HTML in a separate file, allowing us to change the layout of our edit page without modifying the underlying Java code.
First, we must add com.samskivert.jmustache
to the list of imports. Again, we are glancing over how you procure libraries for this tutorial.
import module jdk.httpserver;
import module dev.mccue.jdk.httpserver;
import module com.samskivert.jmustache;
Let's create a template file containing the HTML form. Open a new file named edit.html
, and add the following lines:
<h1>Editing {{title}}</h1>
<form action="/save/{{title}}" method="POST">
<div><textarea name="body" rows="20" cols="80">{{body}}</textarea></div>
<div><input type="submit" value="Save"></div>
</form>
Modify editHandler
to use the template, instead of the hard-coded HTML:
void editHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/edit/".length());
;
Page ptry {
= Page.load(title);
p } catch (NoSuchFileException e) {
= new Page(title, new byte[]{});
p }
= Mustache.compiler()
var template .compile(Files.readString(Path.of("edit.html")));
.sendResponse(
HttpExchanges,
exchange200,
.of(template.execute(Map.of(
Body"title", p.title,
"body", new String(p.body, StandardCharsets.UTF_8)
)))
);
}
Since we're working with templates now, let's create a template for our viewHandler
called view.html
:
<h1>{{title}}</h1>
<p>[<a href="/edit/{{title}}">edit</a>]</p>
<div>{{body}}</div>
Modify viewHandler
accordingly:
void viewHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/view/".length());
= Page.load(title);
var p = Mustache.compiler()
var template .compile(Files.readString(Path.of("view.html")));
.sendResponse(
HttpExchanges,
exchange200,
.of(template.execute(Map.of(
Body"title", p.title,
"body", new String(p.body, StandardCharsets.UTF_8)
)))
);
}
Notice that we've used almost exactly the same templating code in both handlers. Let's remove this duplication by moving the templating code to its own function:
void renderTemplate(
,
HttpExchange exchangeString tmpl,
Page p) throws IOException {
= Mustache.compiler()
var template .compile(Files.readString(Path.of(tmpl)));
.sendResponse(
HttpExchanges,
exchange200,
.of(template.execute(Map.of(
Body"title", p.title,
"body", new String(p.body, StandardCharsets.UTF_8)
)))
);
}
And modify the handlers to use that function:
void viewHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/view/".length());
= Page.load(title);
var p renderTemplate(exchange, "view", p);
}
void editHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/edit/".length());
;
Page ptry {
= Page.load(title);
p } catch (NoSuchFileException e) {
= new Page(title, new byte[]{});
p }
renderTemplate(exchange, "edit", p);
}
Click here to view the code we've written so far.
What if you visit /view/APageThatDoesntExist
You'll get no response. This is because Page.load
errors. Instead, if the requested Page doesn't exist, it should redirect the client to the edit Page so the content may be created:
void viewHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/view/".length());
;
Page ptry {
= Page.load(title);
p } catch (NoSuchFileException _) {
.getResponseHeaders()
exchange.put("Location", List.of("/edit/" + title));
.sendResponse(exchange, 302, Body.empty());
HttpExchangesreturn;
}
renderTemplate(exchange, "view", p);
}
To do this we send an HTTP status code of 302 and a include Location header in the response.
The function saveHandler will handle the submission of forms located on the edit pages. To parse the form body we are going to add another library - dev.mccue.urlparameters.
import module dev.mccue.urlparameters;
void saveHandler(HttpExchange exchange) throws IOException {
= exchange.getRequestURI()
var title .getPath()
.substring("/save/".length());
= UrlParameters.parse(
var body new String(
.getRequestBody().readAllBytes(),
exchange.UTF_8
StandardCharsets)
).firstValue("body").orElseThrow();
= new Page(title, body.getBytes(StandardCharsets.UTF_8));
var p .save();
p.getResponseHeaders()
exchange.put("Location", List.of("/view/" + title));
.sendResponse(exchange, 302, Body.empty());
HttpExchanges}
Click here to view the code we've written so far.
There is more in the Go tutorial, including caching templates, making sure there aren't path traversal vulnerabilities (which, very important!), and some other potpourri.
But the purpose of this is just to illustrate that Java is capable of the same sort of "simple" web development that Go is known for. I'm leaving that stuff (and introducing a proper mux) as exercises for you the reader.
And just as a note: If you dig into the jdk.httpserver
module you will see some "for development only" warnings around it. This is because the actual server implementation in the JDK is mostly there to serve the jwebserver
tool. (jwebserver
is more or less equivalent to Python's http.server
) You can seamlessly swap to using a production quality server like Jetty and others by adding the appropriate dependencies.
Tell me all about your past traumas with Java in the comments below.