2. Configurations

2.1 JVM Path , Class Path & Other JVM Options

Setting JVM path and class path within http { block in nginx.conf

    ###define jvm path, auto for auto-detect jvm path or a real path
    ###for win32,  jvm_path maybe is "C:/Program Files/Java/jdk1.7.0_25/jre/bin/server/jvm.dll";
    ###for macosx, jvm_path maybe is "/Library/Java/JavaVirtualMachines/jdk1.7.0_55.jdk/Contents/Home/jre/lib/server/libjvm.dylib";
    ###for ubuntu, jvm_path maybe is "/usr/lib/jvm/java-7-oracle/jre/lib/amd64/server/libjvm.so";
    ###for centos, jvm_path maybe is "/usr/java/jdk1.6.0_45/jre/lib/amd64/server/libjvm.so";
    ###for centos 32bit, jvm_path maybe is "/usr/java/jdk1.7.0_51/jre/lib/i386/server/libjvm.so";
    
    jvm_path auto;
    
    ###define class paths
    ###for clojure, you should append clojure core jar
    ###for groovy, you should append groovy runtime jar
    ### when wildchar * is used after a path, all jars and sub-directories will appended to
    ### the jvm classpath. Note that on windows use `;` as separator instead of `:`
    jvm_classpath "mylibs1/*:mylibs2/*:/myclasses";
    
    
    ###define jvm options
    ###jvm_options can be repeated once per option.
    
    ###uncomment next two line to define jvm heap memory
    #jvm_options "-Xms1024m";
    #jvm_options "-Xmx1024m";
    
    ###for enable java remote debug uncomment next two lines
    ###the remote debug port will be 8401 ~ 840X .
    #jvm_options "-Xdebug";
    #jvm_options "-Xrunjdwp:server=y,transport=dt_socket,address=840#{pno},suspend=n";

Reusable Variables

It 's a new feature since v0.2.5. We can define variables and reuse them in jvm_options to make configurations neat.

    ###define nginx_clojure_jar
    jvm_var nginx_clojure_jar '/home/who/git/nginx-clojure/target/nginx-clojure-0.5.1.jar';
    ###reference variable nginx_clojure_jar, starts with #{ different from nginx variable
    jvm_options "-javaagent:#{nginx_clojure_jar}=mb";
    jvm_options "-Xbootclasspath/a:#{nginx_clojure_jar}:jars/clojure-1.5.1.jar"; 
    
    ###define jvm var `ncdev , `mrr, `ncjar, `ncdev is reused in `ncdev
    jvm_var ncdev '/home/who/git/nginx-clojure';
    jvm_var mrr '/home/who/.m2/repository';
    jvm_var ncjar '#{ncdev}/target/nginx-clojure-0.2.5.jar';

    jvm_classpath "#{ncjar}:#{mrr}/clj-http/clj-http/0.7.8/clj-http-0.7.8.jar";

Specify Debug Ports for JVMs

It 's a new feature since v0.2.5. If the worker_processes > 1, the below code will cause error for multiple JVMs try listen on the same debug port 2400.

    jvm_options "-Xdebug";
    jvm_options "-Xrunjdwp:server=y,transport=dt_socket,address=2400,suspend=n";

Since v0.2.5 we can use a built-in jvm_var pno to make all JVMs have different debug ports, pno is a dynamic variable and will be increased on creating every JVM. e.g. When worker_processes is 8, the debug ports will range from port 2401 to 2408

worker_processes  8;

http {
...
    jvm_options "-Xdebug";
    jvm_options "-Xrunjdwp:server=y,transport=dt_socket,address=240#{pno},suspend=n";
}

Advanced JVM Options for I/O

Check this section for more deitals about choice and configuration about thread pool , coroutine based socket or asynchronous socket/channel.

Some Useful Tips

These tips are really useful. Most of them are from real users. Thanks Rickr Nook who give us some useful tips.

  1. The number of embed JVMs is the same with Nginx worker_processes, so if worker_processes > 1 we maybe need nginx-clojure broadcast API, shared memory (e.g nginx-clojure built-in Shared Map, OpenHFT Chronicle Map) or even external service(e.g. redis, database) to coordinate the state or use cookie based session store to manage session information, e.g. ring.middleware.session.cookie/cookie-store.
  2. When importing Swing We Must specifiy jvm_options "-Djava.awt.headless=true" , otherwise the nginx will hang.
  3. By adding the location of your clojure source files to the classpath,then just issue "nginx -s reload" and changes to the sources get picked up!
  4. You can remove clojure-1.5.1.jar from class path and point at your "lein uberjar" to pick up a different version of clojure.

2.2 Initialization Handler for nginx worker

You can embed clojure/groovy code in the http { block to do initialization when nginx worker starting. e.g

For Clojure

http {
......
    jvm_handler_type 'clojure'; 
    # or for external handler  we can use jvm_init_handler_name my.test/InitHandler;
    # below is a clojure example for incline clojure  handler
    jvm_init_handler_code '
	      (fn[ctx]
	        (.println System/err "init2 on http clojure context")
	        {:status 200}
	        )
    '; 
....
}

For Java/groovy

http {
......
    jvm_handler_type 'java'; # or handler_type 'groovy'
    jvm_init_handler_name 'my.test/InitHandler'; 
....
}
	public static class JVMInitHandler implements NginxJavaRingHandler {
		@Override
		public Object[] invoke(Map<String, Object> ctx) {
			NginxClojureRT.log.info("JVMInitHandler invoked!");
			return null; // or return new Object[] {500, null, null}; for  an error
		}
	}

The ring handler can use status 500 and body to report some errors or just return nothing. For more detail example of ring handler please see the next secion.

Please Keep these in your mind:

For clojure

	    handler_code '
	    (do
		    (use \'nginx.clojure.core)
		    (without-coroutine
		      (fn[ctx]
		        ....
		        )
		    ))
	    ';

2.3 Content Ring Handler for Location

Within location block,

2.3.1 Inline Ring Handler

For Clojure :

       location /clojure {
          handler_type 'clojure';
          handler_code ' 
						(fn[req]
						  {
						    :status 200,
						    :headers {"content-type" "text/plain"},
						    :body  "Hello Clojure & Nginx!" ;response body can be string, File or Array/Collection/Seq of them
						    })
          ';
       }

Now you can start nginx and access http://localhost:8080/clojure, if some error happens please check error.log file.

For Groovy :

       location /groovy {
          content_handler_type 'groovy';
          content_handler_code ' 
               import nginx.clojure.java.NginxJavaRingHandler;
               import java.util.Map;
               public class HelloGroovy implements NginxJavaRingHandler {
                  public Object[] invoke(Map<String, Object> request){
                     return [200, //http status 200
                             ["Content-Type":"text/html"], //headers map
                             "Hello, Groovy & Nginx!"]; //response body can be string, File or Array/Collection of them
                  }
               }
          ';
       }

Now you can start nginx and access http://localhost:8080/groovy, if some error happens please check error.log file.

2.3.2 Reference of External Ring Handlers

Please make sure the external Ring handler is in a certain jar file or a directory included by your classpath. It is also OK if you do not compile the Clojure/Groovy to java class file and just put the source of them in a certain jar file or a directory included by your classpath.

For Clojure the exteranl Ring handler example is here

(ns my.hello)
(defn hello-world [request]
  {:status 200
   :headers {"Content-Type" "text/plain"}
   ;response body can be string, File or Array/Collection/Seq of them
   :body "Hello World"})

Then we can reference it in nginx.conf

       location /myClojure {
          content_handler_type 'clojure';
          content_handler_name 'my.hello/hello-world';
       }

For more details and more useful examples for Compojure which is a small routing library for Ring that allows web applications to be composed of small, independent parts. Please refer to https://github.com/weavejester/compojure

For Java

package mytest;
import static nginx.clojure.MiniConstants.*;

import java.util.HashMap;
import java.util.Map;
public  class Hello implements NginxJavaRingHandler {

		@Override
		public Object[] invoke(Map<String, Object> request) {
			return new Object[] { 
					NGX_HTTP_OK, //http status 200
					ArrayMap.create(CONTENT_TYPE, "text/plain"), //headers map
					"Hello, Java & Nginx!"  //response body can be string, File or Array/Collection of them
					};
		}
	}

In nginx.conf

       location /myJava {
          content_handler_type 'java';
          content_handler_name 'mytest.Hello';
       }

For Groovy

   package mytest;
   import nginx.clojure.java.NginxJavaRingHandler;
   import java.util.Map;
   public class HelloGroovy implements NginxJavaRingHandler {
      public Object[] invoke(Map<String, Object> request){
         return 
         [200,  //http status 200
          ["Content-Type":"text/html"],//headers map
          "Hello, Groovy & Nginx!" //response body can be string, File or Array/Collection of them
          ]; 
      }
   }

You should set your JAR files or directory to class path, see 2.1 JVM Path , Class Path & Other JVM Options .

2.4 Chose Coroutine based Socket Or Asynchronous Socket/Channel Or Thread Pool for slow I/O operations

If the http service should do some slow I/O operations such as access external http service, database, etc. nginx worker will be blocked by those operations and the new user request even static file request will be blocked. It really sucks! Before v0.2.0 the only choice is using thread pool but now we have three choice :

  1. Coroutine based Socket
    • 😃It's Java Socket API Compatible and work well with largely existing java library such as apache http client, mysql jdbc drivers etc.
    • 😃It's non-blocking, cheap, fast and let one java main thread be able to handle thousands of connections.
    • 😃Your old code need not be changed and those plain and old java socket based code such as Apache Http Client, MySQL mysql jdbc drivers etc. will be on the fly with epoll/kqueue on Linux/BSD!
    • 😟If you use JDK version < 19 you must do some steps to get the right class waving configuration file and set it in the nginx conf file.
  2. Asynchronous Client Socket/Channel
    • 😃It's the fastest among those three choice and you can controll it finely.
    • 😃It can work with default mode or Coroutine based Socket enabled mode but can't work with Thread Pool mode.
    • 😟Your old code must be changed to use the event driven pattern.
  3. Thread Pool
    • 😃It's a trade off choice and almost all Java server such as Jetty, Tomcat , Glassfish etc. use thread pool to handle http requests.
    • 😃Your old code need not be changed.
    • 😟The nginx worker will be blocked after all threads are exhuasted by slow I/O operations.
    • 😟Becase the max number of threads is always more smaller than the total number of socket connections supported by Operation Systems and thread in java is costlier than coroutine, facing large amount of connections this choice isn't as good as Coroutine based choice.

2.4.1 Enable Coroutine based Client Socket

1. Get a User Defined Class Waving Configuration File for Your Web App

NOTE You can skip this step if you use JDK 19+ where native coroutine viz. continuation is supported.

2. Enable Coroutine Support

	http {
	  ...
	  #make sure it is reset to a normal number after  above step, e.g. 8 worker processes.
	  worker_processes  8;
    
    jvm_var ncjar 'jars/nginx-clojure-0.6.0.jar';

    
    jvm_options "--add-opens=java.base/java.lang=ALL-UNNAMED";
    jvm_options "--add-opens=java.base/sun.nio.cs=ALL-UNNAMED";
    jvm_options "--add-opens=java.base/sun.nio.ch=ALL-UNNAMED";
    
    
    ###native coroutine enabled mode
    jvm_options "--enable-preview";
    jvm_options "--add-opens=java.base/jdk.internal.vm=ALL-UNNAMED";
    jvm_options "-javaagent:#{ncjar}=N";

    ###for win32, class path seperator is ";"
    ### If we only use java handler we can omit clojure-***.jar in the below line.
    jvm_options "-Xbootclasspath/a:#{ncjar}:jars/clojure-1.9.0.jar:jars/spec.alpha-0.1.143.jar";
    
    jvm_classpath "coroutine-udfs:YOUR_CLASSPATH_HERE";
    
    ## use mysql8.txt to fix IllegalStateException (viz. java.lang.IllegalStateException: Pinned: MONITOR)
    jvm_options "-Dnginx.clojure.wave.udfs=mysql8.txt";

mysql8.txt is:

## Tell nginx-clojure to remove synchronized code
## To fix IllegalStateException (viz. java.lang.IllegalStateException: Pinned: MONITOR)

package:com/mysql/cj

2.4.2 Use Asynchronous Client Socket/Channel

Asynchronous Socket/Channel Can be used with default mode or coroutined enabled mode without any additional settings. It just a set of API. It uses event driven pattern and works with a java callback handler or clojure function for callback. Asynchronous Channel is wrapper of Asynchronous Socket for more easier usage. More examples can be found from this section Asynchronous Socket/Channel.

2.4.3 Use Thread Pool

If your tasks are often blocked by slow I/O operations, the thread pool method can make the nginx worker not blocked until all threads are exhuasted. When facing large amount of connections this choice isn't as good as above coroutine based choice or asynchronous socket.

eg.

#turn off coroutine mode,  n means do nothing. You can also comment this line to turn off coroutine mode 
jvm_options "-javaagent:jars/nginx-clojure-0.2.7.jar=nmb";

jvm_workers 40;

Now Nginx-Clojure will create a thread pool with fixed 40 threads per JVM instance/Nginx worker to handle requests. If you get more memory, you can set a bigger number.

2.5 Nginx Rewrite Handler

A nginx rewrite handler can be used to set var or return errors before proxy pass or content ring handler. If the rewrite handler returns phase-done (Clojure) or PHASE_DONE (Groovy/Java), nginx will continue to invoke proxy_pass or content ring handler. If the rewrite handler returns a general response, nginx will send this response to the client and stop to continue to invoke proxy_pass or content ring handler.

Note: All rewrite directives, such as rewrite, set, will be executed after the invocation nginx clojure rewrite handler even if they are declared before nginx rewrtite handler. So the below example maybe is wrong. For more details about Nginx Variable please check this nginx tutorial
which explains perfectly the variable scope.

       location /myproxy {
          ## It maybe is WRONG!!!
          ## Because execution of directive `set` is after the execution of Nginx-Clojure rewrite handler
          set $myhost "";
          rewrite_handler_type 'clojure';
          rewrite_handler_name ' ....';
          proxy_pass $myhost;
       }    

This example is right and there we declare variable $myhost at the outside of location { block.

       set $myhost "";
       location /myproxy {
          rewrite_handler_type 'clojure';
          rewrite_handler_name '....';
          proxy_pass $myhost;
       }    

2.5.1 Simple Example about Nginx rewrite handler

Here's a simple clojure example for Nginx rewrite handler :

       set $myvar "";
       
       location /rewritesimple {
         rewrite_ handler_type 'clojure';
         rewrite_handler_code '
           (do (use \'[nginx.clojure.core]) 
						(fn[req]
						  (set-ngx-var! req "myvar" "Hello")
						  phase-done))
          ';
          handler_code '
           (do (use \'[nginx.clojure.core]) 
						(fn[req]
						  (set-ngx-var! req "myvar" 
						             (str (get-ngx-var req "myvar") "," "Xfeep!"))
						  {
						    :status 200,
						    :headers {"content-type" "text/plain"},
						    :body  (get-ngx-var req "myvar") 
						    }))
          ';
       }    

2.5.2 Simple Dynamic Balancer By Nginx rewrite handler

We can also use this feature to complete a simple dynamic balancer , e.g.

       set $myhost "";
       
       location /myproxy {
          rewrite_handler_type 'clojure';
          rewrite_handler_code '
           (do (use \'[nginx.clojure.core]) 
						(fn[req]
						  ;compute myhost (upstream name or real host name) based req & remote service, e.g.
						  (let [myhost (compute-myhost req)])
						  (set-ngx-var! req "myhost" myhost)
						  phase-done))
          ';
          proxy_pass $myhost;
       }    

The equivalent java code is here

package my.test;

import static nginx.clojure.java.Constants.*;
	
	public static class MyRewriteProxyPassHandler implements NginxJavaRingHandler {
		@Override
		public Object[] invoke(Map<String, Object> req) {
			String myhost = computeMyHost(req);
			((NginxJavaRequest)req).setVariable("myhost", myhost);
			return PHASE_DONE;
		}
		
		private String computeMyHost(Map<String, Object> req) {
			//compute a upstream name or host name;
		}
	}

Then we set the java rewrtite handler in nginx.conf

       set $myhost "";
       
       location /myproxy {
          rewrite_handler_type 'java';
          rewrite_handler_name 'my.test.MyRewriteProxyPassHandler';
          proxy_pass $myhost;
       }    

2.5.3 Access request BODY in Nginx Rewrite Handler

Try always_read_body on; where about the location you want to access the request body in a JAVA rewrite handler. We also added an example(for unit testing) about this, in nginx.conf

     
      set $myup "";

       location /javarewritebybodyproxy {
          always_read_body on;
          rewrite_handler_type 'java';
          rewrite_handler_name 'nginx.clojure.java.RewriteHandlerTestSet4NginxJavaRingHandler$SimpleRewriteByBodyHandler';
          proxy_pass http://$myup;
       }

The example java rewrite handler code can be found from RewriteHandlerTestSet4NginxJavaRingHandler.java

2.6 Nginx Access Handler

Although we can do similar things within a rewrite handler but using Nginx Access Handler will further define roles of all kind of handlers. Nginx Access Handler will run after Rewrite Handler and before Content Handler (e.g. general content ring handler , proxy_pass, etc.). Access Handler has the same form with Rewrite Handler. When it returns PHASE_DONE, nginx will continue the next phase otherwise nginx will response directly typically with some error information , e.g. 401 Unauthorized, 403 Forbidden . e.g.

          location /basicAuth {
               access_handler_type 'java';
	             access_handler_name 'my.BasicAuthHandler';
	             ....
	          }
	/**
	 * This is an  example of HTTP basic Authentication.
	 * It will require visitor to input a user name (xfeep) and password (hello!) 
	 * otherwise it will return 401 Unauthorized or BAD USER & PASSWORD 
	 */
	public  class BasicAuthHandler implements NginxJavaRingHandler {

		@Override
		public Object[] invoke(Map<String, Object> request) {
			String auth = (String) ((Map)request.get(HEADERS)).get("authorization");
			if (auth == null) {
				return new Object[] { 401, ArrayMap.create("www-authenticate", "Basic realm=\"Secure Area\""),
						"<HTML><BODY><H1>401 Unauthorized.</H1></BODY></HTML>" };
			}
			String[] up = new String(DatatypeConverter.parseBase64Binary(auth.substring("Basic ".length())), DEFAULT_ENCODING).split(":");
			if (up[0].equals("xfeep") && up[1].equals("hello!")) {
				return PHASE_DONE;
			}
			return new Object[] { 401, ArrayMap.create("www-authenticate", "Basic realm=\"Secure Area\""),
			"<HTML><BODY><H1>401 Unauthorized BAD USER & PASSWORD.</H1></BODY></HTML>" };
		} 
	}

2.7 Nginx Header Filter

We can use Nginx Header Filter written by Java/Clojure/Groovy to do some useful things, e.g.

  1. monitor the time cost of requests processed
  2. modify the response header dynamically
  3. write user defined log

Header Filter Access Handler has the same return form with Rewrite Handler/ Access Handler. When it returns PHASE_DONE, nginx will continue the next phase otherwise nginx will response directly typically with some error information.

For Java/Groovy

      location /javafilter {
	          header_filter_type 'java';
	          header_filter_name 'my.AddMoreHeaders';
	           ..................
	          }
package my;

import nginx.clojure.java.NginxJavaRingHandler;
import nginx.clojure.java.Constants;

	public  class RemoveAndAddMoreHeaders implements NginxJavaHeaderFilter {
		@Override
		public Object[] doFilter(int status, Map<String, Object> request, Map<String, Object> responseHeaders) {
			responseHeaders.remove("Content-Type");
			responseHeaders.put("Content-Type", "text/html");
			responseHeaders.put("Xfeep-Header", "Hello2!");
			responseHeaders.put("Server", "My-Test-Server");
			return Constants.PHASE_DONE;
		}
	}

For Clojure

      location /javafilter {
	          header_filter_type 'clojure';
	          header_filter_name 'my/remove-and-add-more-headers';
	           ..................
	          }
(ns my
  (:use [nginx.clojure.core])
  (:require  [clj-http.client :as client]))
  
(defn remove-and-add-more-headers 
[status request response-headers]
  (dissoc!  response-headers "Content-Type") 
  (assoc!  response-headers "Content-Type"  "text/html")
  (assoc!  response-headers "Xfeep-Header"  "Hello2!")
  (assoc!  response-headers "Server" "My-Test-Server") 
  phase-done)

2.8 Nginx Body Filter

We can use nginx body filter to change the response body.

A stream faced Java body filter should implement the interface NginxJavaBodyFilter which has this method:

public Object[] doFilter(Map<String, Object> request, InputStream bodyChunk, boolean isLast)  throws IOException;

For one request this method can be invoked multiple times and at the last time the argument isLast will be true. Note that bodyChunk is valid only at its call scope and can not be stored for later usage. The result returned must be an array which has three elements viz. {status, headers, filtered_chunk}. If status is not null filtered_chunk will be used as the final chunk. status and headers will be ignored when the response headers has been sent already. filtered_chunk can be either of

  1. File, viz. java.io.File
  2. String
  3. InputStream
  4. Array/Iterable, e.g. Array/List/Set of above types

A string faced Java body filter should extends the class StringFacedJavaBodyFilter which has one protected method to be overriden:

protected Object[] doFilter(Map<String, Object> request, String body, boolean isLast) throws IOException

This method has the same return value with NginxJavaBodyFilter.doFilter.

e.g.

location /hello {
  body_filter_type java;
  body_filter_name mytest.StringFacedUppercaseBodyFilter;
}
public static class StringFacedUppercaseBodyFilter extends StringFacedJavaBodyFilter {
		@Override
		protected Object[] doFilter(Map<String, Object> request, String body, boolean isLast) throws IOException {
			if (isLast) {
				return new Object[] {200, null, body.toUpperCase()};
			}else {
				return new Object[] {null, null, body.toUpperCase()};
			}
		}
	}
location /hello {
  body_filter_type clojure;
  body_filter_name mytest/uppercase-filter;
}
(defn uppercase-filter [request body-chunk last?]
  (let [upper-body (.toUpperCase body-chunk)]
      (if last? {:status 200 :body upper-body}
        {:body upper-body})))

2.9 Nginx Log Handler

Nginx log handler will be called just before the request is destroyed and its return result will be ignored. In a log handler we should not modify any thing about this request such as header, status. response, body and so on.

e.g. we can write access log just like

127.0.0.1 - x 26/Oct/2019:13:54:08 +0800 GET /cljloghandler/simpleloghandler HTTP/1.1 200 20 x curl/7.64.0 
127.0.0.1 - x 26/Oct/2019:14:44:57 +0800 GET /cljloghandler/simpleloghandler HTTP/1.1 200 20 x curl/7.64.0 
127.0.0.1 - x 26/Oct/2019:14:59:03 +0800 GET //cljloghandler/simpleloghandler HTTP/1.1 200 20 x Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/74.0.3729.169 Safari/537.36 

location /hello {
  ....
  log_handler_type java;
  log_handler_name mytest.MyLogHandler;
  log_handler_property logUserAgent on;
}
	public static class SimpleLogHandler implements NginxJavaRingHandler, Configurable {
		
		boolean logUserAgent;
		
		@Override
		public Object[] invoke(Map<String, Object> request) throws IOException {
			File file = new File("logs/SimpleLogHandler.log");
			NginxJavaRequest r = (NginxJavaRequest) request;
			try (FileOutputStream out = new FileOutputStream(file, true)) {
				String msg = String.format("%s - %s [%s] \"%s\" %s \"%s\" %s %s\n", r.getVariable("remote_addr"),
						r.getVariable("remote_user", "x"), r.getVariable("time_local"), r.getVariable("request"),
						r.getVariable("status"), r.getVariable("body_bytes_sent"), r.getVariable("http_referer", "x"),
						logUserAgent ? r.getVariable("http_user_agent") : "-");
				out.write(msg.getBytes("utf8"));
			}
			return null;
		}

		@Override
		public void config(Map<String, String> properties) {
			logUserAgent = "on".equalsIgnoreCase(properties.get("logUserAgent"));
		}
		

		@Override
		public String[] variablesNeedPrefetch() {
			return new String[] { "remote_addr", "remote_user", "time_local", "request", "status", "body_bytes_sent",
					"http_referer", "http_user_agent" };
		}
	}
location /hello {
  log_handler_type clojure;
  log_handler_name mytest/simple-log-handler;
}
(ns mytest
  (:use [nginx.clojure.core]))

(defn simple-log-handler
  [r]
    (spit "logs/SimpleLogHandler.log" 
          (str (get-ngx-var r "remote_addr") " - "
               (get-ngx-var r "remote_user" "x") " "
               (get-ngx-var r "time_local") " "
               (get-ngx-var r "request") " "
               (get-ngx-var r "status") " "
               (get-ngx-var r "body_bytes_sent") " "
               (get-ngx-var r "http_referer" "x") " "
               (get-ngx-var r "http_user_agent") " "
                "\n")
          :append true ))

;;; make variables prefetched to access them at non-main thread
(def simple-log-handler (with-meta simple-log-handler {"variablesNeedPrefetch" 
                                        ["remote_addr", "remote_user", "time_local", "request", 
                                         "status", "body_bytes_sent", "http_referer", "http_user_agent"]}))