WebFramework.java

1
package com.renomad.minum.web;
2
3
import com.renomad.minum.logging.ILogger;
4
import com.renomad.minum.security.ForbiddenUseException;
5
import com.renomad.minum.security.ITheBrig;
6
import com.renomad.minum.security.UnderInvestigation;
7
import com.renomad.minum.state.Constants;
8
import com.renomad.minum.state.Context;
9
import com.renomad.minum.utils.*;
10
11
import java.io.IOException;
12
import java.net.SocketException;
13
import java.net.SocketTimeoutException;
14
import java.nio.file.Files;
15
import java.nio.file.Path;
16
import java.time.ZoneId;
17
import java.time.ZonedDateTime;
18
import java.time.format.DateTimeFormatter;
19
import java.util.*;
20
import java.util.stream.Collectors;
21
22
import static com.renomad.minum.utils.FileUtils.*;
23
import static com.renomad.minum.utils.Invariants.mustBeTrue;
24
import static com.renomad.minum.web.StatusLine.StatusCode.*;
25
import static com.renomad.minum.web.WebEngine.HTTP_CRLF;
26
27
/**
28
 * This class is responsible for the HTTP handling after socket connection.
29
 * <p>
30
 *     The public methods are for registering endpoints - code that will be
31
 *     run for a given combination of HTTP method and path.  See documentation
32
 *     for the methods in this class.
33
 * </p>
34
 */
35
public final class WebFramework {
36
37
    private final Constants constants;
38
    private final UnderInvestigation underInvestigation;
39
    private final IInputStreamUtils inputStreamUtils;
40
    private final IBodyProcessor bodyProcessor;
41
    /**
42
     * This is a variable storing a pseudo-random (non-secure) number
43
     * that is shown to users when a serious error occurs, which
44
     * will also be put in the logs, to make finding it easier.
45
     */
46
    private final Random randomErrorCorrelationId;
47
    private final RequestLine emptyRequestLine;
48
49
    public Map<String,String> getSuffixToMimeMappings() {
50 1 1. getSuffixToMimeMappings : replaced return value with Collections.emptyMap for com/renomad/minum/web/WebFramework::getSuffixToMimeMappings → KILLED
        return new HashMap<>(fileSuffixToMime);
51
    }
52
53
    /**
54
     * This is used as a key when registering endpoints
55
     */
56
    record MethodPath(RequestLine.Method method, String path) { }
57
58
    /**
59
     * The list of paths that our system is registered to handle.
60
     */
61
    private final Map<MethodPath, ThrowingFunction<IRequest, IResponse>> registeredDynamicPaths;
62
63
    /**
64
     * These are registrations for paths that partially match, for example,
65
     * if the client sends us GET /.well-known/acme-challenge/HGr8U1IeTW4kY_Z6UIyaakzOkyQgPr_7ArlLgtZE8SX
66
     * and we want to match ".well-known/acme-challenge"
67
     */
68
    private final Map<MethodPath, ThrowingFunction<IRequest, IResponse>> registeredPartialPaths;
69
70
    /**
71
     * A function that will be run instead of the ordinary business code. Has
72
     * provisions for running the business code as well.  See {@link #registerPreHandler(ThrowingFunction)}
73
     */
74
    private ThrowingFunction<PreHandlerInputs, IResponse> preHandler;
75
76
    /**
77
     * A function run after the ordinary business code
78
     */
79
    private ThrowingFunction<LastMinuteHandlerInputs, IResponse> lastMinuteHandler;
80
81
    private final IFileReader fileReader;
82
    private final Map<String, String> fileSuffixToMime;
83
84
    // This is just used for testing.  If it's null, we use the real time.
85
    private final ZonedDateTime overrideForDateTime;
86
    private final FullSystem fs;
87
    private final ILogger logger;
88
89
    /**
90
     * This is the minimum number of bytes in a text response to apply gzip.
91
     */
92
    private static final int MINIMUM_NUMBER_OF_BYTES_TO_COMPRESS = 2048;
93
94
    /**
95
     * This is the brains of how the server responds to web clients.  Whatever
96
     * code lives here will be inserted into a slot within the server code.
97
     */
98
    ThrowingRunnable makePrimaryHttpHandler(ISocketWrapper sw, ITheBrig theBrig) {
99
100 1 1. makePrimaryHttpHandler : replaced return value with null for com/renomad/minum/web/WebFramework::makePrimaryHttpHandler → KILLED
        return () -> {
101
            Thread.currentThread().setName("SocketWrapper thread for " + sw.getRemoteAddr());
102
            try (sw) {
103
                dumpIfAttacker(sw, fs);
104
                final var is = sw.getInputStream();
105
106
                // By default, browsers expect the server to run in keep-alive mode.
107
                // We'll break out later if we find that the browser doesn't do keep-alive
108
                while (true) {
109
                    final String rawStartLine = inputStreamUtils.readLine(is);
110
                    long startMillis = System.currentTimeMillis();
111 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → KILLED
                    if (rawStartLine.isEmpty()) {
112
                        // here, the client connected, sent nothing, and closed.
113
                        // nothing to do but return.
114
                        logger.logTrace(() -> "rawStartLine was empty.  Returning.");
115
                        break;
116
                    }
117
                    final RequestLine sl = getProcessedRequestLine(sw, rawStartLine);
118
119 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → KILLED
                    if (sl.equals(emptyRequestLine)) {
120
                        // here, the client sent something we cannot parse.
121
                        // nothing to do but return.
122
                        logger.logTrace(() -> "RequestLine was unparseable.  Returning.");
123
                        break;
124
                    }
125
                    // check if the user is seeming to attack us.
126 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::checkIfSuspiciousPath → SURVIVED
                    checkIfSuspiciousPath(sw, sl);
127
128
                    // React to what the user requested, generate a result
129
                    Headers hi = getHeaders(sw);
130
                    boolean isKeepAlive = determineIfKeepAlive(sl, hi, logger);
131 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → SURVIVED
                    if (isThereIsABody(hi)) {
132
                        logger.logTrace(() -> "There is a body. Content-type is " + hi.contentType());
133
                    }
134
                    ProcessingResult result = processRequest(sw, sl, hi);
135
                    IRequest request = result.clientRequest();
136
                    Response response = (Response)result.resultingResponse();
137
138
                    // check that the response is non-null.  If it is null, that suggests
139
                    // the developer made a mistake.
140 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → KILLED
                    if (response == null) {
141
                        throw new WebServerException("The returned value for the endpoint \"%s\" was null.".formatted(request.getRequestLine().getPathDetails().getIsolatedPath()));
142
                    }
143
144
                    // calculate proper headers for the response
145
                    StringBuilder headerStringBuilder = addDefaultHeaders(response);
146 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::addOptionalExtraHeaders → KILLED
                    addOptionalExtraHeaders(response, headerStringBuilder);
147 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::addKeepAliveTimeout → KILLED
                    addKeepAliveTimeout(isKeepAlive, headerStringBuilder);
148
149
                    // inspect the response being sent, see whether we can compress the data.
150
                    Response adjustedResponse = potentiallyCompress(request.getHeaders(), response, headerStringBuilder);
151 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::applyContentLength → KILLED
                    applyContentLength(headerStringBuilder, adjustedResponse.getBodyLength());
152 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::confirmBodyHasContentType → SURVIVED
                    confirmBodyHasContentType(request, response);
153
154
                    // send the headers
155 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/ISocketWrapper::send → KILLED
                    sw.send(headerStringBuilder.append(HTTP_CRLF).toString());
156
157
                    // if the user sent a HEAD request, we send everything back except the body.
158
                    // even though we skip the body, this requires full processing to get the
159
                    // numbers right, like content-length.
160 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → TIMED_OUT
                    if (request.getRequestLine().getMethod().equals(RequestLine.Method.HEAD)) {
161
                        logger.logDebug(() -> "client " + request.getRemoteRequester() +
162
                                " is requesting HEAD for "+ request.getRequestLine().getPathDetails().getIsolatedPath() +
163
                                ".  Excluding body from response");
164
                    } else {
165
                        // send the body
166 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/Response::sendBody → KILLED
                        adjustedResponse.sendBody(sw);
167
                    }
168
                    // print how long this processing took
169
                    long endMillis = System.currentTimeMillis();
170
                    logger.logTrace(() -> String.format("full processing (including communication time) of %s %s took %d millis", sw, sl, endMillis - startMillis));
171 1 1. lambda$makePrimaryHttpHandler$5 : negated conditional → KILLED
                    if (!isKeepAlive) break;
172
                }
173
            } catch (SocketException | SocketTimeoutException ex) {
174 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::handleReadTimedOut → SURVIVED
                handleReadTimedOut(sw, ex, logger);
175
            } catch (ForbiddenUseException ex) {
176 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::handleForbiddenUse → KILLED
                handleForbiddenUse(sw, ex, logger, theBrig, constants.vulnSeekingJailDuration);
177
            } catch (IOException ex) {
178 1 1. lambda$makePrimaryHttpHandler$5 : removed call to com/renomad/minum/web/WebFramework::handleIOException → SURVIVED
                handleIOException(sw, ex, logger, theBrig, underInvestigation, constants.vulnSeekingJailDuration);
179
            }
180
        };
181
    }
182
183
184
    static void handleIOException(ISocketWrapper sw, IOException ex, ILogger logger, ITheBrig theBrig, UnderInvestigation underInvestigation, int vulnSeekingJailDuration ) {
185
        logger.logDebug(() -> ex.getMessage() + " (at Server.start)");
186
        String suspiciousClues = underInvestigation.isClientLookingForVulnerabilities(ex.getMessage());
187
188 2 1. handleIOException : negated conditional → KILLED
2. handleIOException : negated conditional → KILLED
        if (!suspiciousClues.isEmpty() && theBrig != null) {
189
            logger.logDebug(() -> sw.getRemoteAddr() + " is looking for vulnerabilities, for this: " + suspiciousClues);
190
            theBrig.sendToJail(sw.getRemoteAddr() + "_vuln_seeking", vulnSeekingJailDuration);
191
        }
192
    }
193
194
    static void handleForbiddenUse(ISocketWrapper sw, ForbiddenUseException ex, ILogger logger, ITheBrig theBrig, int vulnSeekingJailDuration) {
195
        logger.logDebug(() -> sw.getRemoteAddr() + " is looking for vulnerabilities, for this: " + ex.getMessage());
196 1 1. handleForbiddenUse : negated conditional → KILLED
        if (theBrig != null) {
197
            theBrig.sendToJail(sw.getRemoteAddr() + "_vuln_seeking", vulnSeekingJailDuration);
198
        } else {
199
            logger.logDebug(() -> "theBrig is null at handleForbiddenUse, will not store address in database");
200
        }
201
    }
202
203
    static void handleReadTimedOut(ISocketWrapper sw, IOException ex, ILogger logger) {
204
        /*
205
        if we close the application on the server side, there's a good
206
        likelihood a SocketException will come bubbling through here.
207
        NOTE:
208
          it seems that Socket closed is what we get when the client closes the connection in non-SSL, and conversely,
209
          if we are operating in secure (i.e. SSL/TLS) mode, we get "an established connection..."
210
        */
211 1 1. handleReadTimedOut : negated conditional → KILLED
        if (ex.getMessage().equals("Read timed out")) {
212
            logger.logTrace(() -> "Read timed out - remote address: " + sw.getRemoteAddrWithPort());
213
        } else {
214
            logger.logDebug(() -> ex.getMessage() + " - remote address: " + sw.getRemoteAddrWithPort());
215
        }
216
    }
217
218
    /**
219
     * Logic for how to process an incoming request.  For example, did the developer
220
     * write a function to handle this? Is it a request for a static file, like an image
221
     * or script?  Did the user provide a "pre" or "post" handler?
222
     */
223
    ProcessingResult processRequest(
224
            ISocketWrapper sw,
225
            RequestLine requestLine,
226
            Headers requestHeaders) throws Exception {
227
        IRequest clientRequest = new Request(requestHeaders, requestLine, sw.getRemoteAddr(), sw, bodyProcessor);
228
        IResponse response;
229
        ThrowingFunction<IRequest, IResponse> endpoint = findEndpointForThisStartline(requestLine, requestHeaders);
230 1 1. processRequest : negated conditional → KILLED
        if (endpoint == null) {
231
            response = Response.buildLeanResponse(CODE_404_NOT_FOUND);
232
        } else {
233
            long millisAtStart = System.currentTimeMillis();
234
            try {
235 1 1. processRequest : negated conditional → KILLED
                if (preHandler != null) {
236
                    response = preHandler.apply(new PreHandlerInputs(clientRequest, endpoint, sw));
237
                } else {
238
                    response = endpoint.apply(clientRequest);
239
                }
240
            } catch (Exception ex) {
241
                // if an error happens while running an endpoint's code, this is the
242
                // last-chance handling of that error where we return a 500 and a
243
                // random code to the client, so a developer can find the detailed
244
                // information in the logs, which have that same value.
245
                int randomNumber = randomErrorCorrelationId.nextInt();
246
                logger.logAsyncError(() -> "error while running endpoint " + endpoint + ". Code: " + randomNumber + ". Error: " + StacktraceUtils.stackTraceToString(ex));
247
                response = Response.buildResponse(CODE_500_INTERNAL_SERVER_ERROR, Map.of("Content-Type", "text/plain;charset=UTF-8"), "Server error: " + randomNumber);
248
            }
249
            long millisAtEnd = System.currentTimeMillis();
250
            logger.logTrace(() -> String.format("handler processing of %s %s took %d millis", sw, requestLine, millisAtEnd - millisAtStart));
251
        }
252
253
        // if the user has chosen to customize the response based on status code, that will
254
        // be applied now, and it will override the previous response.
255 1 1. processRequest : negated conditional → KILLED
        if (lastMinuteHandler != null) {
256
            response = lastMinuteHandler.apply(new LastMinuteHandlerInputs(clientRequest, response));
257
        }
258
259 1 1. processRequest : replaced return value with null for com/renomad/minum/web/WebFramework::processRequest → KILLED
        return new ProcessingResult(clientRequest, response);
260
    }
261
262
    record ProcessingResult(IRequest clientRequest, IResponse resultingResponse) { }
263
264
    private Headers getHeaders(ISocketWrapper sw) {
265
    /*
266
       next we will read the headers (e.g. Content-Type: foo/bar) one-by-one.
267
268
       the headers tell us vital information about the
269
       body.  If, for example, we're getting a POST and receiving a
270
       www form url encoded, there will be a header of "content-length"
271
       that will mention how many bytes to read.  On the other hand, if
272
       we're receiving a multipart, there will be no content-length, but
273
       the content-type will include the boundary string.
274
    */
275
        List<String> allHeaders = Headers.getAllHeaders(sw.getInputStream(), inputStreamUtils);
276
        Headers hi = new Headers(allHeaders);
277
        logger.logTrace(() -> "The headers are: " + hi.getHeaderStrings());
278 1 1. getHeaders : replaced return value with null for com/renomad/minum/web/WebFramework::getHeaders → KILLED
        return hi;
279
    }
280
281
    /**
282
     * determine if we are in a keep-alive connection
283
     */
284
    static boolean determineIfKeepAlive(RequestLine sl, Headers hi, ILogger logger) {
285
        boolean isKeepAlive = false;
286 1 1. determineIfKeepAlive : negated conditional → KILLED
        if (sl.getVersion() == HttpVersion.ONE_DOT_ZERO) {
287
            isKeepAlive = hi.hasKeepAlive();
288 1 1. determineIfKeepAlive : negated conditional → KILLED
        } else if (sl.getVersion() == HttpVersion.ONE_DOT_ONE) {
289 1 1. determineIfKeepAlive : negated conditional → KILLED
            isKeepAlive = ! hi.hasConnectionClose();
290
        }
291
        boolean finalIsKeepAlive = isKeepAlive;
292
        logger.logTrace(() -> "Is this a keep-alive connection? " + finalIsKeepAlive);
293 2 1. determineIfKeepAlive : replaced boolean return with false for com/renomad/minum/web/WebFramework::determineIfKeepAlive → KILLED
2. determineIfKeepAlive : replaced boolean return with true for com/renomad/minum/web/WebFramework::determineIfKeepAlive → KILLED
        return isKeepAlive;
294
    }
295
296
    RequestLine getProcessedRequestLine(ISocketWrapper sw, String rawStartLine) {
297
        logger.logTrace(() -> sw + ": raw request line received: " + rawStartLine);
298
        RequestLine rl = new RequestLine(
299
                RequestLine.Method.NONE,
300
                PathDetails.empty,
301
                HttpVersion.NONE,
302
                "", logger);
303
        RequestLine extractedRequestLine = rl.extractRequestLine(rawStartLine);
304
        logger.logTrace(() -> sw + ": RequestLine has been derived: " + extractedRequestLine);
305 1 1. getProcessedRequestLine : replaced return value with null for com/renomad/minum/web/WebFramework::getProcessedRequestLine → KILLED
        return extractedRequestLine;
306
    }
307
308
    void checkIfSuspiciousPath(ISocketWrapper sw, RequestLine requestLine) {
309
        String suspiciousClues = underInvestigation.isLookingForSuspiciousPaths(
310
                requestLine.getPathDetails().getIsolatedPath());
311 1 1. checkIfSuspiciousPath : negated conditional → KILLED
        if (!suspiciousClues.isEmpty()) {
312
            String msg = sw.getRemoteAddr() + " is looking for a vulnerability, for this: " + suspiciousClues;
313
            throw new ForbiddenUseException(msg);
314
        }
315
    }
316
317
    /**
318
     * This code confirms our objects are valid before calling
319
     * to {@link #dumpIfAttacker(ISocketWrapper, ITheBrig)}.
320
     * @return true if successfully called to subsequent method, false otherwise.
321
     */
322
    boolean dumpIfAttacker(ISocketWrapper sw, FullSystem fs) {
323 1 1. dumpIfAttacker : negated conditional → KILLED
        if (fs == null) {
324 1 1. dumpIfAttacker : replaced boolean return with true for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED
            return false;
325 1 1. dumpIfAttacker : negated conditional → KILLED
        } else if (fs.getTheBrig() == null) {
326 1 1. dumpIfAttacker : replaced boolean return with true for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED
            return false;
327
        } else {
328 1 1. dumpIfAttacker : removed call to com/renomad/minum/web/WebFramework::dumpIfAttacker → SURVIVED
            dumpIfAttacker(sw, fs.getTheBrig());
329 1 1. dumpIfAttacker : replaced boolean return with false for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED
            return true;
330
        }
331
    }
332
333
    void dumpIfAttacker(ISocketWrapper sw, ITheBrig theBrig) {
334
        String remoteClient = sw.getRemoteAddr();
335 1 1. dumpIfAttacker : negated conditional → KILLED
        if (theBrig.isInJail(remoteClient + "_vuln_seeking")) {
336
            // if this client is a vulnerability seeker, throw an exception,
337
            // causing them to get dumped unceremoniously
338
            String message = "closing the socket on " + remoteClient + " due to being found in the brig";
339
            logger.logDebug(() -> message);
340
            throw new ForbiddenUseException(message);
341
        }
342
    }
343
344
    /**
345
     * Determine whether the headers in this HTTP message indicate that
346
     * a body is available to read
347
     */
348
    static boolean isThereIsABody(Headers hi) {
349
        // if the client sent us a content-type header at all...
350 1 1. isThereIsABody : negated conditional → KILLED
        if (!hi.contentType().isBlank()) {
351
            // if the content-length is greater than 0, we've got a body
352 3 1. isThereIsABody : negated conditional → TIMED_OUT
2. isThereIsABody : replaced boolean return with false for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED
3. isThereIsABody : changed conditional boundary → KILLED
            if (hi.contentLength() > 0) return true;
353
354
            // if the transfer-encoding header is set to chunked, we have a body
355
            List<String> transferEncodingHeaders = hi.valueByKey("transfer-encoding");
356 5 1. isThereIsABody : negated conditional → KILLED
2. lambda$isThereIsABody$19 : replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$isThereIsABody$19 → KILLED
3. lambda$isThereIsABody$19 : replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$isThereIsABody$19 → KILLED
4. isThereIsABody : replaced boolean return with true for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED
5. isThereIsABody : negated conditional → KILLED
            return transferEncodingHeaders != null && transferEncodingHeaders.stream().anyMatch(x -> x.equalsIgnoreCase("chunked"));
357
        }
358
        // otherwise, no body we recognize
359 1 1. isThereIsABody : replaced boolean return with true for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED
        return false;
360
    }
361
362
    /**
363
     * Prepare some of the basic server response headers, like the status code, the
364
     * date-time stamp, the server name.
365
     */
366
    private StringBuilder addDefaultHeaders(IResponse response) {
367
368 1 1. lambda$addDefaultHeaders$20 : replaced return value with null for com/renomad/minum/web/WebFramework::lambda$addDefaultHeaders$20 → KILLED
        String date = Objects.requireNonNullElseGet(overrideForDateTime, () -> ZonedDateTime.now(ZoneId.of("UTC"))).format(DateTimeFormatter.RFC_1123_DATE_TIME);
369
370
        // we'll store the status line and headers in this
371
        StringBuilder headerStringBuilder = new StringBuilder();
372
373
374
        // add the status line
375
        headerStringBuilder.append("HTTP/1.1 ").append(response.getStatusCode().code).append(" ").append(response.getStatusCode().shortDescription).append(HTTP_CRLF);
376
377
        // add a date-timestamp
378
        headerStringBuilder.append("Date: ").append(date).append(HTTP_CRLF);
379
380
        // add the server name
381
        headerStringBuilder.append("Server: minum").append(HTTP_CRLF);
382
383 1 1. addDefaultHeaders : replaced return value with null for com/renomad/minum/web/WebFramework::addDefaultHeaders → KILLED
        return headerStringBuilder;
384
    }
385
386
    /**
387
     * Add extra headers specified by the business logic (set by the developer)
388
     */
389
    private static void addOptionalExtraHeaders(IResponse response, StringBuilder stringBuilder) {
390
        stringBuilder.append(
391
                response.getExtraHeaders().entrySet().stream()
392 1 1. lambda$addOptionalExtraHeaders$21 : replaced return value with "" for com/renomad/minum/web/WebFramework::lambda$addOptionalExtraHeaders$21 → KILLED
                .map(x -> x.getKey() + ": " + x.getValue() + HTTP_CRLF)
393
                .collect(Collectors.joining()));
394
    }
395
396
    /**
397
     * If a response body exists, it needs to have a content-type specified, or throw an exception.
398
     */
399
    static void confirmBodyHasContentType(IRequest request, Response response) {
400
        // check the correctness of the content-type header versus the data length (if any data, that is)
401 2 1. lambda$confirmBodyHasContentType$22 : replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$confirmBodyHasContentType$22 → SURVIVED
2. lambda$confirmBodyHasContentType$22 : replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$confirmBodyHasContentType$22 → KILLED
        boolean hasContentType = response.getExtraHeaders().entrySet().stream().anyMatch(x -> x.getKey().toLowerCase(Locale.ROOT).equals("content-type"));
402
403
        // if there *is* data, we had better be returning a content type
404 2 1. confirmBodyHasContentType : changed conditional boundary → KILLED
2. confirmBodyHasContentType : negated conditional → KILLED
        if (response.getBodyLength() > 0) {
405
            mustBeTrue(hasContentType, "a Content-Type header must be specified in the Response object if it returns data. Response details: " + response + " Request: " + request);
406
        }
407
    }
408
409
    /**
410
     * If this is a keep-alive communication, add a header specifying the
411
     * socket timeout for the browser.
412
     */
413
    private void addKeepAliveTimeout(boolean isKeepAlive, StringBuilder stringBuilder) {
414
        // if we're a keep-alive connection, reply with a keep-alive header
415 1 1. addKeepAliveTimeout : negated conditional → KILLED
        if (isKeepAlive) {
416
            stringBuilder.append("Keep-Alive: timeout=").append(constants.keepAliveTimeoutSeconds).append(HTTP_CRLF);
417
        }
418
    }
419
420
    /**
421
     * The rules regarding the content-length header are byzantine.  Even in the cases
422
     * where you aren't returning anything, servers can use this header to determine when the
423
     * response is finished.
424
     * See <a href="https://www.rfc-editor.org/rfc/rfc9110.html#name-content-length">Content-Length in the HTTP spec</a>
425
     */
426
    private static void applyContentLength(StringBuilder stringBuilder, long bodyLength) {
427
        stringBuilder.append("Content-Length: ").append(bodyLength).append(HTTP_CRLF);
428
    }
429
430
    /**
431
     * This method will examine the request headers and response content-type, and
432
     * compress the outgoing data if necessary.
433
     */
434
    static Response potentiallyCompress(Headers headers, Response response, StringBuilder headerStringBuilder) throws IOException {
435
        // we may make modifications to the response body at this point, specifically
436
        // we may compress the data, if the client requested it.
437
        // see https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Accept-encoding
438
        List<String> acceptEncoding = headers.valueByKey("accept-encoding");
439
440
        // regardless of whether the client requests compression in their Accept-Encoding header,
441
        // if the data we're sending back is not of an appropriate type, we won't bother
442
        // compressing it.  Basically, we're going to compress plain text.
443 2 1. lambda$potentiallyCompress$23 : replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$potentiallyCompress$23 → KILLED
2. lambda$potentiallyCompress$23 : replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$potentiallyCompress$23 → KILLED
        Map.Entry<String, String> contentTypeHeader = SearchUtils.findExactlyOne(response.getExtraHeaders().entrySet().stream(), x -> x.getKey().equalsIgnoreCase("content-type"));
444
445 1 1. potentiallyCompress : negated conditional → KILLED
        if (contentTypeHeader != null) {
446
            String contentType = contentTypeHeader.getValue().toLowerCase(Locale.ROOT);
447 1 1. potentiallyCompress : negated conditional → SURVIVED
            if (contentType.contains("text/")) {
448 1 1. potentiallyCompress : replaced return value with null for com/renomad/minum/web/WebFramework::potentiallyCompress → KILLED
                return compressBodyIfRequested(response, acceptEncoding, headerStringBuilder, MINIMUM_NUMBER_OF_BYTES_TO_COMPRESS);
449
            }
450
        }
451 1 1. potentiallyCompress : replaced return value with null for com/renomad/minum/web/WebFramework::potentiallyCompress → KILLED
        return response;
452
    }
453
454
    /**
455
     * This method will examine the content-encoding headers, and if "gzip" is
456
     * requested by the client, we will replace the body bytes with compressed
457
     * bytes, using the GZIP compression algorithm, as long as the response body
458
     * is greater than minNumberBytes bytes.
459
     *
460
     * @param acceptEncoding headers sent by the client about what compression
461
     *                       algorithms will be understood.
462
     * @param stringBuilder  the string we are gradually building up to send back to
463
     *                       the client for the status line and headers. We'll use it
464
     *                       here if we need to append a content-encoding - that is,
465
     *                       if we successfully compress data as gzip.
466
     * @param minNumberBytes number of bytes must be larger than this to compress.
467
     */
468
    static Response compressBodyIfRequested(Response response, List<String> acceptEncoding, StringBuilder stringBuilder, int minNumberBytes) throws IOException {
469 1 1. compressBodyIfRequested : negated conditional → KILLED
        String allContentEncodingHeaders = acceptEncoding != null ? String.join(";", acceptEncoding) : "";
470 4 1. compressBodyIfRequested : negated conditional → KILLED
2. compressBodyIfRequested : negated conditional → KILLED
3. compressBodyIfRequested : changed conditional boundary → KILLED
4. compressBodyIfRequested : negated conditional → KILLED
        if (response.getBodyLength() >= minNumberBytes && acceptEncoding != null && allContentEncodingHeaders.contains("gzip")) {
471
            stringBuilder.append("Content-Encoding: gzip" + HTTP_CRLF);
472
            stringBuilder.append("Vary: accept-encoding" + HTTP_CRLF);
473 1 1. compressBodyIfRequested : replaced return value with null for com/renomad/minum/web/WebFramework::compressBodyIfRequested → KILLED
            return response.compressBody();
474
        }
475 1 1. compressBodyIfRequested : replaced return value with null for com/renomad/minum/web/WebFramework::compressBodyIfRequested → KILLED
        return response;
476
    }
477
478
    /**
479
     * Looks through the mappings of {@link MethodPath} and path to registered endpoints
480
     * or the static cache and returns the appropriate one (If we
481
     * do not find anything, return null)
482
     */
483
    ThrowingFunction<IRequest, IResponse> findEndpointForThisStartline(RequestLine sl, Headers requestHeaders) {
484
        ThrowingFunction<IRequest, IResponse> handler;
485
        logger.logTrace(() -> "Seeking a handler for " + sl);
486
487
        // first we check if there's a simple direct match
488
        String requestedPath = sl.getPathDetails().getIsolatedPath().toLowerCase(Locale.ROOT);
489
490
        // if the user is asking for a HEAD request, they want to run a GET command
491
        // but don't want the body.  We'll simply exclude sending the body, later on, when returning the data
492 1 1. findEndpointForThisStartline : negated conditional → KILLED
        RequestLine.Method method = sl.getMethod() == RequestLine.Method.HEAD ? RequestLine.Method.GET : sl.getMethod();
493
494
        MethodPath key = new MethodPath(method, requestedPath);
495
        handler = registeredDynamicPaths.get(key);
496
497 1 1. findEndpointForThisStartline : negated conditional → KILLED
        if (handler == null) {
498
            logger.logTrace(() -> "No direct handler found.  looking for a partial match for " + requestedPath);
499
            handler = findHandlerByPartialMatch(sl);
500
        }
501
502 1 1. findEndpointForThisStartline : negated conditional → KILLED
        if (handler == null) {
503
            logger.logTrace(() -> "No partial match found, checking files on disk for " + requestedPath );
504
            handler = findHandlerByFilesOnDisk(sl, requestHeaders);
505
        }
506
507
        // we'll return this, and it could be a null.
508 1 1. findEndpointForThisStartline : replaced return value with null for com/renomad/minum/web/WebFramework::findEndpointForThisStartline → KILLED
        return handler;
509
    }
510
511
    /**
512
     * last ditch effort - look on disk.  This response will either
513
     * be the file to return, or null if we didn't find anything.
514
     */
515
    private ThrowingFunction<IRequest, IResponse> findHandlerByFilesOnDisk(RequestLine sl, Headers requestHeaders) {
516 2 1. findHandlerByFilesOnDisk : negated conditional → KILLED
2. findHandlerByFilesOnDisk : negated conditional → KILLED
        if (sl.getMethod() != RequestLine.Method.GET && sl.getMethod() != RequestLine.Method.HEAD) {
517
            return null;
518
        }
519
        String requestedPath = sl.getPathDetails().getIsolatedPath();
520
        IResponse response = readStaticFile(requestedPath, requestHeaders);
521 2 1. lambda$findHandlerByFilesOnDisk$27 : replaced return value with null for com/renomad/minum/web/WebFramework::lambda$findHandlerByFilesOnDisk$27 → KILLED
2. findHandlerByFilesOnDisk : replaced return value with null for com/renomad/minum/web/WebFramework::findHandlerByFilesOnDisk → KILLED
        return request -> response;
522
    }
523
524
525
    /**
526
     * Get a file from a path and create a response for it with a mime type.
527
     * <p>
528
     *     Parent directories are made unavailable by searching the path for
529
     *     bad characters.  See {@link FileUtils#badFilePathPatterns}
530
     * </p>
531
     *
532
     * @return a response with the file contents and caching headers and mime if valid.
533
     *  if the path has invalid characters, we'll return a "bad request" response.
534
     */
535
    IResponse readStaticFile(String path, Headers requestHeaders) {
536
        try {
537 1 1. readStaticFile : removed call to com/renomad/minum/utils/FileUtils::checkForBadFilePatterns → KILLED
            checkForBadFilePatterns(path);
538
        } catch (Exception ex) {
539
            logger.logDebug(() -> String.format("Bad path requested at readStaticFile: %s.  Exception: %s", path, ex.getMessage()));
540 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
            return Response.buildLeanResponse(CODE_400_BAD_REQUEST);
541
        }
542
        String mimeType = null;
543
544
        try {
545 1 1. readStaticFile : removed call to com/renomad/minum/utils/FileUtils::checkFileIsWithinDirectory → KILLED
            checkFileIsWithinDirectory(path, constants.staticFilesDirectory);
546
        } catch (Exception ex) {
547
            logger.logDebug(() -> String.format("Unable to find %s in allowed directories", path));
548 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
            return Response.buildLeanResponse(CODE_404_NOT_FOUND);
549
        }
550
551
        try {
552
            Path staticFilePath = Path.of(constants.staticFilesDirectory).resolve(path);
553 1 1. readStaticFile : negated conditional → KILLED
            if (!Files.isRegularFile(staticFilePath)) {
554
                logger.logDebug(() -> String.format("No readable regular file found at %s", path));
555 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
                return Response.buildLeanResponse(CODE_404_NOT_FOUND);
556
            }
557
558
            // if the provided path has a dot in it, use that
559
            // to obtain a suffix for determining file type
560
            int suffixBeginIndex = path.lastIndexOf('.');
561 2 1. readStaticFile : negated conditional → KILLED
2. readStaticFile : changed conditional boundary → KILLED
            if (suffixBeginIndex > 0) {
562 1 1. readStaticFile : Replaced integer addition with subtraction → KILLED
                String suffix = path.substring(suffixBeginIndex+1);
563
                mimeType = fileSuffixToMime.get(suffix);
564
            }
565
566
            // if we don't find any registered mime types for this
567
            // suffix, or if it doesn't have a suffix, set the mime type
568
            // to application/octet-stream
569 1 1. readStaticFile : negated conditional → KILLED
            if (mimeType == null) {
570
                mimeType = "application/octet-stream";
571
            }
572
573 2 1. readStaticFile : negated conditional → KILLED
2. readStaticFile : changed conditional boundary → KILLED
            if (Files.size(staticFilePath) < 100_000) {
574
                var fileContents = fileReader.readFile(staticFilePath.toString());
575 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
                return createOkResponseForStaticFiles(fileContents, mimeType);
576
            } else {
577 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
                return createOkResponseForLargeStaticFiles(mimeType, staticFilePath, requestHeaders);
578
            }
579
580
        } catch (IOException e) {
581
            logger.logAsyncError(() -> String.format("Error while reading file: %s. %s", path, StacktraceUtils.stackTraceToString(e)));
582 1 1. readStaticFile : replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED
            return Response.buildLeanResponse(CODE_400_BAD_REQUEST);
583
        }
584
    }
585
586
    /**
587
     * All static responses will get a cache time of STATIC_FILE_CACHE_TIME seconds
588
     */
589
    private IResponse createOkResponseForStaticFiles(byte[] fileContents, String mimeType) {
590
        var headers = Map.of(
591
                "cache-control", "max-age=" + constants.staticFileCacheTime,
592
                "content-type", mimeType);
593
594 1 1. createOkResponseForStaticFiles : replaced return value with null for com/renomad/minum/web/WebFramework::createOkResponseForStaticFiles → KILLED
        return Response.buildResponse(
595
                CODE_200_OK,
596
                headers,
597
                fileContents);
598
    }
599
600
    /**
601
     * All static responses will get a cache time of STATIC_FILE_CACHE_TIME seconds
602
     */
603
    private IResponse createOkResponseForLargeStaticFiles(String mimeType, Path filePath, Headers requestHeaders) throws IOException {
604
        var headers = Map.of(
605
                "cache-control", "max-age=" + constants.staticFileCacheTime,
606
                "content-type", mimeType,
607
                "Accept-Ranges", "bytes"
608
                );
609
610 1 1. createOkResponseForLargeStaticFiles : replaced return value with null for com/renomad/minum/web/WebFramework::createOkResponseForLargeStaticFiles → KILLED
        return Response.buildLargeFileResponse(
611
                headers,
612
                filePath.toString(),
613
                requestHeaders
614
                );
615
    }
616
617
618
    /**
619
     * These are the default starting values for mappings
620
     * between file suffixes and appropriate mime types
621
     */
622
    private void addDefaultValuesForMimeMap() {
623
        fileSuffixToMime.put("css", "text/css");
624
        fileSuffixToMime.put("js", "application/javascript");
625
        fileSuffixToMime.put("webp", "image/webp");
626
        fileSuffixToMime.put("jpg", "image/jpeg");
627
        fileSuffixToMime.put("jpeg", "image/jpeg");
628
        fileSuffixToMime.put("htm", "text/html");
629
        fileSuffixToMime.put("html", "text/html");
630
    }
631
632
633
    /**
634
     * let's see if we can match the registered paths against a **portion** of the startline
635
     */
636
    ThrowingFunction<IRequest, IResponse> findHandlerByPartialMatch(RequestLine sl) {
637
        String requestedPath = sl.getPathDetails().getIsolatedPath();
638
        var methodPathFunctionEntry = registeredPartialPaths.entrySet().stream()
639 2 1. lambda$findHandlerByPartialMatch$32 : replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$findHandlerByPartialMatch$32 → KILLED
2. lambda$findHandlerByPartialMatch$32 : negated conditional → KILLED
                .filter(x -> requestedPath.startsWith(x.getKey().path()) &&
640 1 1. lambda$findHandlerByPartialMatch$32 : negated conditional → KILLED
                        x.getKey().method().equals(sl.getMethod()))
641
                .findFirst().orElse(null);
642 1 1. findHandlerByPartialMatch : negated conditional → KILLED
        if (methodPathFunctionEntry != null) {
643 1 1. findHandlerByPartialMatch : replaced return value with null for com/renomad/minum/web/WebFramework::findHandlerByPartialMatch → KILLED
            return methodPathFunctionEntry.getValue();
644
        } else {
645
            return null;
646
        }
647
    }
648
649
    /**
650
     * This constructor is used for the real production system
651
     */
652
    WebFramework(Context context) {
653
        this(context, null, null);
654
    }
655
656
    WebFramework(Context context, ZonedDateTime overrideForDateTime) {
657
        this(context, overrideForDateTime, null);
658
    }
659
660
    /**
661
     * This provides the ZonedDateTime as a parameter so we
662
     * can set the current date (for testing purposes)
663
     * @param overrideForDateTime for those test cases where we need to control the time
664
     */
665
    WebFramework(Context context, ZonedDateTime overrideForDateTime, IFileReader fileReader) {
666
        this.fs = context.getFullSystem();
667
        this.logger = context.getLogger();
668
        this.constants = context.getConstants();
669
        this.overrideForDateTime = overrideForDateTime;
670
        this.registeredDynamicPaths = new HashMap<>();
671
        this.registeredPartialPaths = new HashMap<>();
672
        this.underInvestigation = new UnderInvestigation(constants);
673
        this.inputStreamUtils = new InputStreamUtils(constants.maxReadLineSizeBytes);
674
        this.bodyProcessor = new BodyProcessor(context);
675
676
        // This random value is purely to help provide correlation between
677
        // error messages in the UI and error logs.  There are no security concerns.
678
        this.randomErrorCorrelationId = new Random();
679
        this.emptyRequestLine = RequestLine.EMPTY;
680
681
        // this allows us to inject a IFileReader for deeper testing
682 1 1. <init> : negated conditional → KILLED
        if (fileReader != null) {
683
            this.fileReader = fileReader;
684
        } else {
685
            this.fileReader = new FileReader(
686
                    LRUCache.getLruCache(constants.maxElementsLruCacheStaticFiles),
687
                    constants.useCacheForStaticFiles,
688
                    logger);
689
        }
690
        this.fileSuffixToMime = new HashMap<>();
691 1 1. <init> : removed call to com/renomad/minum/web/WebFramework::addDefaultValuesForMimeMap → KILLED
        addDefaultValuesForMimeMap();
692 1 1. <init> : removed call to com/renomad/minum/web/WebFramework::readExtraMimeMappings → KILLED
        readExtraMimeMappings(constants.extraMimeMappings);
693
    }
694
695
    void readExtraMimeMappings(List<String> input) {
696 2 1. readExtraMimeMappings : negated conditional → KILLED
2. readExtraMimeMappings : negated conditional → KILLED
        if (input == null || input.isEmpty()) return;
697
        mustBeTrue(input.size() % 2 == 0, "input must be even (key + value = 2 items). Your input: " + input);
698
699 2 1. readExtraMimeMappings : negated conditional → KILLED
2. readExtraMimeMappings : changed conditional boundary → KILLED
        for (int i = 0; i < input.size(); i += 2) {
700
            String fileSuffix = input.get(i);
701 1 1. readExtraMimeMappings : Replaced integer addition with subtraction → KILLED
            String mime = input.get(i+1);
702
            logger.logTrace(() -> "Adding mime mapping: " + fileSuffix + " -> " + mime);
703
            fileSuffixToMime.put(fileSuffix, mime);
704
        }
705
    }
706
707
    /**
708
     * Add a new handler in the web application for a combination
709
     * of a {@link RequestLine.Method}, a path, and then provide
710
     * the code to handle a request.
711
     * <br>
712
     * Note that the path text expected is *after* the first forward slash,
713
     * so for example with {@code http://foo.com/mypath}, provide "mypath" as the path.
714
     */
715
    public void registerPath(RequestLine.Method method, String pathName, ThrowingFunction<IRequest, IResponse> webHandler) {
716
        registeredDynamicPaths.put(new MethodPath(method, pathName), webHandler);
717
    }
718
719
    /**
720
     * Similar to {@link WebFramework#registerPath(RequestLine.Method, String, ThrowingFunction)} except that the paths
721
     * registered here may be partially matched.
722
     * <p>
723
     *     For example, if you register {@code .well-known/acme-challenge} then it
724
     *     can match a client request for {@code .well-known/acme-challenge/HGr8U1IeTW4kY_Z6UIyaakzOkyQgPr_7ArlLgtZE8SX}
725
     * </p>
726
     * <p>
727
     *     Be careful here, be thoughtful - partial paths will match a lot, and may
728
     *     overlap with other URL's for your app, such as endpoints and static files.
729
     * </p>
730
     */
731
    public void registerPartialPath(RequestLine.Method method, String pathName, ThrowingFunction<IRequest, IResponse> webHandler) {
732
        registeredPartialPaths.put(new MethodPath(method, pathName), webHandler);
733
    }
734
735
    /**
736
     * Sets a handler to process all requests across the board.
737
     * <br>
738
     * <p>
739
     *     This is an <b>unusual</b> method.  Setting a handler here allows the user to run code of his
740
     * choosing before the regular business code is run.  Note that by defining this value, the ordinary
741
     * call to endpoint.apply(request) will not be run.
742
     * </p>
743
     * <p>Here is an example</p>
744
     * <pre>{@code
745
     *
746
     *      webFramework.registerPreHandler(preHandlerInputs -> preHandlerCode(preHandlerInputs, auth, context));
747
     *
748
     *      ...
749
     *
750
     *      private IResponse preHandlerCode(PreHandlerInputs preHandlerInputs, AuthUtils auth, Context context) throws Exception {
751
     *          int secureServerPort = context.getConstants().secureServerPort;
752
     *          Request request = preHandlerInputs.clientRequest();
753
     *          ThrowingFunction<IRequest, IResponse> endpoint = preHandlerInputs.endpoint();
754
     *          ISocketWrapper sw = preHandlerInputs.sw();
755
     *
756
     *          // log all requests
757
     *          logger.logTrace(() -> String.format("Request: %s by %s",
758
     *              request.requestLine().getRawValue(),
759
     *              request.remoteRequester())
760
     *          );
761
     *
762
     *          // redirect to https if they are on the plain-text connection and the path is "login"
763
     *
764
     *          // get the path from the request line
765
     *          String path = request.getRequestLine().getPathDetails().getIsolatedPath();
766
     *
767
     *          // redirect to https on the configured secure port if they are on the plain-text connection and the path contains "login"
768
     *          if (path.contains("login") &&
769
     *              sw.getServerType().equals(HttpServerType.PLAIN_TEXT_HTTP)) {
770
     *              return Response.redirectTo("https://%s:%d/%s".formatted(sw.getHostName(), secureServerPort, path));
771
     *          }
772
     *
773
     *          // adjust behavior if non-authenticated and path includes "secure/"
774
     *          if (path.contains("secure/")) {
775
     *              AuthResult authResult = auth.processAuth(request);
776
     *              if (authResult.isAuthenticated()) {
777
     *                  return endpoint.apply(request);
778
     *              } else {
779
     *                  return Response.buildLeanResponse(CODE_403_FORBIDDEN);
780
     *              }
781
     *          }
782
     *
783
     *          // if the path does not include /secure, just move the request along unchanged.
784
     *          return endpoint.apply(request);
785
     *      }
786
     * }</pre>
787
     */
788
        public void registerPreHandler(ThrowingFunction<PreHandlerInputs, IResponse> preHandler) {
789
        this.preHandler = preHandler;
790
    }
791
792
    /**
793
     * Sets a handler to be executed after running the ordinary handler, just
794
     * before sending the response.
795
     * <p>
796
     *     This is an <b>unusual</b> method, so please be aware of its proper use. Its
797
     *     purpose is to allow the user to inject code to run after ordinary code, across
798
     *     all requests.
799
     * </p>
800
     * <p>
801
     *     For example, if the system would have returned a 404 NOT FOUND response,
802
     *     code can handle that situation in a switch case and adjust the response according
803
     *     to your programming.
804
     * </p>
805
     * <p>Here is an example</p>
806
     * <pre>{@code
807
     *
808
     *
809
     *      webFramework.registerLastMinuteHandler(TheRegister::lastMinuteHandlerCode);
810
     *
811
     * ...
812
     *
813
     *     private static IResponse lastMinuteHandlerCode(LastMinuteHandlerInputs inputs) {
814
     *         switch (inputs.response().statusCode()) {
815
     *             case CODE_404_NOT_FOUND -> {
816
     *                 return Response.buildResponse(
817
     *                         CODE_404_NOT_FOUND,
818
     *                         Map.of("Content-Type", "text/html; charset=UTF-8"),
819
     *                         "<p>No document was found</p>"));
820
     *             }
821
     *             case CODE_500_INTERNAL_SERVER_ERROR -> {
822
     *                 return Response.buildResponse(
823
     *                         CODE_500_INTERNAL_SERVER_ERROR,
824
     *                         Map.of("Content-Type", "text/html; charset=UTF-8"),
825
     *                         "<p>Server error occurred.</p>" ));
826
     *             }
827
     *             default -> {
828
     *                 return inputs.response();
829
     *             }
830
     *         }
831
     *     }
832
     * }
833
     * </pre>
834
     * @param lastMinuteHandler a function that will take a request and return a response, exactly like
835
     *                   we use in the other registration methods for this class.
836
     */
837
    public void registerLastMinuteHandler(ThrowingFunction<LastMinuteHandlerInputs, IResponse> lastMinuteHandler) {
838
        this.lastMinuteHandler = lastMinuteHandler;
839
    }
840
841
    /**
842
     * This allows users to add extra mappings
843
     * between file suffixes and mime types, in case
844
     * a user needs one that was not provided.
845
     * <p>
846
     *     This is made available through the
847
     *     web framework.
848
     * </p>
849
     * <p>
850
     *     Example:
851
     * </p>
852
     * <pre>
853
     * {@code webFramework.addMimeForSuffix().put("foo","text/foo")}
854
     * </pre>
855
     */
856
    public void addMimeForSuffix(String suffix, String mimeType) {
857
        fileSuffixToMime.put(suffix, mimeType);
858
    }
859
}

Mutations

50

1.1
Location : getSuffixToMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings(com.renomad.minum.web.WebFrameworkTests)
replaced return value with Collections.emptyMap for com/renomad/minum/web/WebFramework::getSuffixToMimeMappings → KILLED

100

1.1
Location : makePrimaryHttpHandler
Killed by : com.renomad.minum.web.WebFrameworkTests.test_makePrimaryHttpHandler_throwingIOException(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::makePrimaryHttpHandler → KILLED

111

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

119

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

126

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
removed call to com/renomad/minum/web/WebFramework::checkIfSuspiciousPath → SURVIVED
Covering tests

131

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
negated conditional → SURVIVED
Covering tests

140

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

146

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
removed call to com/renomad/minum/web/WebFramework::addOptionalExtraHeaders → KILLED

147

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
removed call to com/renomad/minum/web/WebFramework::addKeepAliveTimeout → KILLED

151

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
removed call to com/renomad/minum/web/WebFramework::applyContentLength → KILLED

152

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
removed call to com/renomad/minum/web/WebFramework::confirmBodyHasContentType → SURVIVED
Covering tests

155

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
removed call to com/renomad/minum/web/ISocketWrapper::send → KILLED

160

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
negated conditional → TIMED_OUT

166

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
removed call to com/renomad/minum/web/Response::sendBody → KILLED

171

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

174

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
removed call to com/renomad/minum/web/WebFramework::handleReadTimedOut → SURVIVED
Covering tests

176

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : com.renomad.minum.FunctionalTests
removed call to com/renomad/minum/web/WebFramework::handleForbiddenUse → KILLED

178

1.1
Location : lambda$makePrimaryHttpHandler$5
Killed by : none
removed call to com/renomad/minum/web/WebFramework::handleIOException → SURVIVED
Covering tests

188

1.1
Location : handleIOException
Killed by : com.renomad.minum.web.WebFrameworkTests.testHandleIoException(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : handleIOException
Killed by : com.renomad.minum.web.WebFrameworkTests.testHandleIoException(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

196

1.1
Location : handleForbiddenUse
Killed by : com.renomad.minum.web.WebFrameworkTests.test_HandleForbiddenUse(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

211

1.1
Location : handleReadTimedOut
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

230

1.1
Location : processRequest
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

235

1.1
Location : processRequest
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

255

1.1
Location : processRequest
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

259

1.1
Location : processRequest
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::processRequest → KILLED

278

1.1
Location : getHeaders
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::getHeaders → KILLED

286

1.1
Location : determineIfKeepAlive
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

288

1.1
Location : determineIfKeepAlive
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

289

1.1
Location : determineIfKeepAlive
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

293

1.1
Location : determineIfKeepAlive
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::determineIfKeepAlive → KILLED

2.2
Location : determineIfKeepAlive
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::determineIfKeepAlive → KILLED

305

1.1
Location : getProcessedRequestLine
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::getProcessedRequestLine → KILLED

311

1.1
Location : checkIfSuspiciousPath
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

323

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.web.WebFrameworkTests.test_makePrimaryHttpHandler_throwingIOException(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

324

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED

325

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

326

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED

328

1.1
Location : dumpIfAttacker
Killed by : none
removed call to com/renomad/minum/web/WebFramework::dumpIfAttacker → SURVIVED
Covering tests

329

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.FunctionalTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::dumpIfAttacker → KILLED

335

1.1
Location : dumpIfAttacker
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

350

1.1
Location : isThereIsABody
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

352

1.1
Location : isThereIsABody
Killed by : com.renomad.minum.FunctionalTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED

2.2
Location : isThereIsABody
Killed by : com.renomad.minum.web.WebTests
changed conditional boundary → KILLED

3.3
Location : isThereIsABody
Killed by : none
negated conditional → TIMED_OUT

356

1.1
Location : isThereIsABody
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

2.2
Location : lambda$isThereIsABody$19
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$isThereIsABody$19 → KILLED

3.3
Location : lambda$isThereIsABody$19
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$isThereIsABody$19 → KILLED

4.4
Location : isThereIsABody
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED

5.5
Location : isThereIsABody
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

359

1.1
Location : isThereIsABody
Killed by : com.renomad.minum.FunctionalTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::isThereIsABody → KILLED

368

1.1
Location : lambda$addDefaultHeaders$20
Killed by : com.renomad.minum.FunctionalTests
replaced return value with null for com/renomad/minum/web/WebFramework::lambda$addDefaultHeaders$20 → KILLED

383

1.1
Location : addDefaultHeaders
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::addDefaultHeaders → KILLED

392

1.1
Location : lambda$addOptionalExtraHeaders$21
Killed by : com.renomad.minum.web.WebTests
replaced return value with "" for com/renomad/minum/web/WebFramework::lambda$addOptionalExtraHeaders$21 → KILLED

401

1.1
Location : lambda$confirmBodyHasContentType$22
Killed by : none
replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$confirmBodyHasContentType$22 → SURVIVED
Covering tests

2.2
Location : lambda$confirmBodyHasContentType$22
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$confirmBodyHasContentType$22 → KILLED

404

1.1
Location : confirmBodyHasContentType
Killed by : com.renomad.minum.web.WebTests
changed conditional boundary → KILLED

2.2
Location : confirmBodyHasContentType
Killed by : com.renomad.minum.web.BodyProcessorTests
negated conditional → KILLED

415

1.1
Location : addKeepAliveTimeout
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

443

1.1
Location : lambda$potentiallyCompress$23
Killed by : com.renomad.minum.FunctionalTests
replaced boolean return with false for com/renomad/minum/web/WebFramework::lambda$potentiallyCompress$23 → KILLED

2.2
Location : lambda$potentiallyCompress$23
Killed by : com.renomad.minum.FunctionalTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$potentiallyCompress$23 → KILLED

445

1.1
Location : potentiallyCompress
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

447

1.1
Location : potentiallyCompress
Killed by : none
negated conditional → SURVIVED
Covering tests

448

1.1
Location : potentiallyCompress
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::potentiallyCompress → KILLED

451

1.1
Location : potentiallyCompress
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::potentiallyCompress → KILLED

469

1.1
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebFrameworkTests.test_compressIfRequested(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

470

1.1
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebFrameworkTests.test_compressIfRequested(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebFrameworkTests.test_compressIfRequested(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

3.3
Location : compressBodyIfRequested
Killed by : com.renomad.minum.FunctionalTests
changed conditional boundary → KILLED

4.4
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebFrameworkTests.test_compressIfRequested(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

473

1.1
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebFrameworkTests.test_compressIfRequested(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::compressBodyIfRequested → KILLED

475

1.1
Location : compressBodyIfRequested
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::compressBodyIfRequested → KILLED

492

1.1
Location : findEndpointForThisStartline
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

497

1.1
Location : findEndpointForThisStartline
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

502

1.1
Location : findEndpointForThisStartline
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

508

1.1
Location : findEndpointForThisStartline
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::findEndpointForThisStartline → KILLED

516

1.1
Location : findHandlerByFilesOnDisk
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

2.2
Location : findHandlerByFilesOnDisk
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

521

1.1
Location : lambda$findHandlerByFilesOnDisk$27
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::lambda$findHandlerByFilesOnDisk$27 → KILLED

2.2
Location : findHandlerByFilesOnDisk
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::findHandlerByFilesOnDisk → KILLED

537

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_Edge_Colon(com.renomad.minum.web.WebFrameworkTests)
removed call to com/renomad/minum/utils/FileUtils::checkForBadFilePatterns → KILLED

540

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_Edge_Colon(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

545

1.1
Location : readStaticFile
Killed by : com.renomad.minum.FunctionalTests
removed call to com/renomad/minum/utils/FileUtils::checkFileIsWithinDirectory → KILLED

548

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_Edge_Directory(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

553

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_Edge_CurrentDirectory(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

555

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_Edge_CurrentDirectory(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

561

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_HTML(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : readStaticFile
Killed by : com.renomad.minum.FunctionalTests
changed conditional boundary → KILLED

562

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_HTML(com.renomad.minum.web.WebFrameworkTests)
Replaced integer addition with subtraction → KILLED

569

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_Edge_ApplicationOctetStream(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

573

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_IOException(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : readStaticFile
Killed by : com.renomad.minum.FunctionalTests
changed conditional boundary → KILLED

575

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_Edge_ApplicationOctetStream(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

577

1.1
Location : readStaticFile
Killed by : com.renomad.minum.FunctionalTests
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

582

1.1
Location : readStaticFile
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_IOException(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::readStaticFile → KILLED

594

1.1
Location : createOkResponseForStaticFiles
Killed by : com.renomad.minum.web.WebFrameworkTests.test_Edge_ApplicationOctetStream(com.renomad.minum.web.WebFrameworkTests)
replaced return value with null for com/renomad/minum/web/WebFramework::createOkResponseForStaticFiles → KILLED

610

1.1
Location : createOkResponseForLargeStaticFiles
Killed by : com.renomad.minum.FunctionalTests
replaced return value with null for com/renomad/minum/web/WebFramework::createOkResponseForLargeStaticFiles → KILLED

639

1.1
Location : lambda$findHandlerByPartialMatch$32
Killed by : com.renomad.minum.web.WebTests
replaced boolean return with true for com/renomad/minum/web/WebFramework::lambda$findHandlerByPartialMatch$32 → KILLED

2.2
Location : lambda$findHandlerByPartialMatch$32
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

640

1.1
Location : lambda$findHandlerByPartialMatch$32
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

642

1.1
Location : findHandlerByPartialMatch
Killed by : com.renomad.minum.web.WebTests
negated conditional → KILLED

643

1.1
Location : findHandlerByPartialMatch
Killed by : com.renomad.minum.web.WebTests
replaced return value with null for com/renomad/minum/web/WebFramework::findHandlerByPartialMatch → KILLED

682

1.1
Location : <init>
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_IOException(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

691

1.1
Location : <init>
Killed by : com.renomad.minum.web.WebFrameworkTests.test_readStaticFile_HTML(com.renomad.minum.web.WebFrameworkTests)
removed call to com/renomad/minum/web/WebFramework::addDefaultValuesForMimeMap → KILLED

692

1.1
Location : <init>
Killed by : com.renomad.minum.web.FullSystemTests.testFullSystem_WithRedirect(com.renomad.minum.web.FullSystemTests)
removed call to com/renomad/minum/web/WebFramework::readExtraMimeMappings → KILLED

696

1.1
Location : readExtraMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : readExtraMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

699

1.1
Location : readExtraMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings(com.renomad.minum.web.WebFrameworkTests)
negated conditional → KILLED

2.2
Location : readExtraMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings_NoValues(com.renomad.minum.web.WebFrameworkTests)
changed conditional boundary → KILLED

701

1.1
Location : readExtraMimeMappings
Killed by : com.renomad.minum.web.WebFrameworkTests.test_ExtraMimeMappings_NoValues(com.renomad.minum.web.WebFrameworkTests)
Replaced integer addition with subtraction → KILLED

Active mutators

Tests examined


Report generated by PIT 1.17.0