Skip to content

Commit

Permalink
Merge pull request #6 from jairamc/play-2.5-example
Browse files Browse the repository at this point in the history
Add play-2.5 example
  • Loading branch information
dpsoft committed Apr 9, 2017
2 parents f66b242 + c55de15 commit 02dbf28
Show file tree
Hide file tree
Showing 9 changed files with 272 additions and 0 deletions.
6 changes: 6 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/app/Filters.scala
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
import javax.inject.Inject

import play.api.http.DefaultHttpFilters
import filters.TraceLocalFilter

class Filters @Inject() (traceLocalFilter: TraceLocalFilter) extends DefaultHttpFilters(traceLocalFilter)
Original file line number Diff line number Diff line change
@@ -0,0 +1,82 @@
/* ===================================================
* Copyright © 2013-2015 the kamon project <http://kamon.io/>
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
* ========================================================== */
package controllers

import filters.{TraceLocalContainer, TraceLocalKey}
import kamon.play.action.TraceName
import kamon.Kamon
import kamon.trace.TraceLocal
import play.api.Logger
import play.api.libs.concurrent.Execution.Implicits.defaultContext
import play.api.mvc.{Action, Controller}

import scala.concurrent._

/**
* Run the following commands from console:
*
* aspectj-runner:run
*
* and finally testing:
*
* curl -i -H 'X-Trace-Token:kamon-test' -H 'MyTraceLocalStorageKey:extra-header' -X GET "http://localhost:9000/helloKamon"
*
* we should get:
* HTTP/1.1 200 OK
* Content-Type: text/plain; charset=utf-8
* MyTraceLocalStorageKey: extra-header -> Extra Information
* X-Trace-Token: kamon-test -> default Trace-Token
*
* Say hello to Kamon
**/
class KamonPlayExample extends Controller {

val logger = Logger(this.getClass)
val counter = Kamon.metrics.counter("my-counter")

def sayHello = Action.async {
Future {
logger.info("Say hello to Kamon")
Ok("Say hello to Kamon")
}
}

//using the Kamon TraceName Action to rename the trace name in metrics
def sayHelloWithTraceName = TraceName("my-trace-name") {
Action.async {
Future {
logger.info("Say hello to Kamon with trace name")
Ok("Say hello to Kamon with trace name")
}
}
}

def incrementCounter = Action.async {
Future {
logger.info("increment")
counter.increment()
Ok("increment")
}
}

def updateTraceLocal() = Action.async {
Future {
TraceLocal.store(TraceLocalKey)(TraceLocalContainer("MyTraceToken","MyImportantHeader"))
logger.info("storeInTraceLocal")
Ok("storeInTraceLocal")
}
}
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,64 @@
/* ===================================================
* Copyright © 2013-2014 the kamon project <http://kamon.io/>
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
* ========================================================== */

package filters

import javax.inject.Inject

import akka.stream.Materializer
import kamon.trace.TraceLocal
import kamon.trace.TraceLocal.{AvailableToMdc, TraceLocalKey}
import play.api.Logger
import play.api.mvc.{Filter, RequestHeader, Result}
import play.api.libs.concurrent.Execution.Implicits.defaultContext

import scala.concurrent.Future

case class TraceLocalContainer(traceToken:String, importantHeader:String)

object TraceLocalKey extends TraceLocalKey[TraceLocalContainer]

/*
By default kamon spreads the trace-token-header-name, but sometimes is necessary pass through the application requests with some information like
extra headers, with kamon it's possible using the TraceLocalStorage, in Play applications we can do an Action Filter or using Action Composition,
in this example we are using a simple filter where given a Header store the value and then put the value in the result headers..
More detailed usage of TraceLocalStorage: https://github.com/kamon-io/Kamon/blob/b17539d231da923ea854c01d2c69eb02ef1e85b1/kamon-core/src/test/scala/kamon/trace/TraceLocalSpec.scala
*/
class TraceLocalFilter @Inject() (implicit val mat: Materializer) extends Filter {
val logger = Logger(this.getClass)
val TraceLocalStorageKey = "MyTraceLocalStorageKey"

val userAgentHeader = "User-Agent"

//this value will be available in the MDC at the moment to call to Logger.*()s
val UserAgentHeaderAvailableToMDC = AvailableToMdc(userAgentHeader)

override def apply(next: (RequestHeader) Future[Result])(header: RequestHeader): Future[Result] = {

def onResult(result:Result) = {
val traceLocalContainer = TraceLocal.retrieve(TraceLocalKey).getOrElse(TraceLocalContainer("unknown","unknown"))
result.withHeaders(TraceLocalStorageKey -> traceLocalContainer.traceToken)
}

//update the TraceLocalStorage
TraceLocal.store(TraceLocalKey)(TraceLocalContainer(header.headers.get(TraceLocalStorageKey).getOrElse("unknown"), "unknown"))
TraceLocal.store(UserAgentHeaderAvailableToMDC)(header.headers.get(userAgentHeader).getOrElse("unknown"))

//call the action
next(header).map(onResult)
}
}
17 changes: 17 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/build.sbt
Original file line number Diff line number Diff line change
@@ -0,0 +1,17 @@
name := "kamon-play-example-2.5.x"

version := "1.0-SNAPSHOT"

scalaVersion := "2.11.8"

val kamonVersion = "0.6.6"

libraryDependencies ++= Seq(
"io.kamon" %% "kamon-play-2.5" % kamonVersion,
"io.kamon" %% "kamon-system-metrics" % kamonVersion,
"io.kamon" %% "kamon-statsd" % kamonVersion,
"io.kamon" %% "kamon-log-reporter" % kamonVersion,
"org.aspectj" % "aspectjweaver" % "1.8.9"
)

enablePlugins(PlayScala)
63 changes: 63 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/conf/application.conf
Original file line number Diff line number Diff line change
@@ -0,0 +1,63 @@
#kamon related configuration

kamon {

metric {
tick-interval = 1 second
}

statsd {
# Hostname and port in which your StatsD is running. Remember that StatsD packets are sent using UDP and
# setting unreachable hosts and/or not open ports wont be warned by the Kamon, your data wont go anywhere.
hostname = "127.0.0.1"
port = 8125

# Interval between metrics data flushes to StatsD. It's value must be equal or greater than the
# kamon.metrics.tick-interval setting.
flush-interval = 1 second

# Max packet size for UDP metrics data sent to StatsD.
max-packet-size = 1024 bytes

# Subscription patterns used to select which metrics will be pushed to StatsD. Note that first, metrics
# collection for your desired entities must be activated under the kamon.metrics.filters settings.
includes {
actor = [ "*" ]
trace = [ "*" ]
dispatcher = [ "*" ]
}

simple-metric-key-generator {
# Application prefix for all metrics pushed to StatsD. The default namespacing scheme for metrics follows
# this pattern:
# application.host.entity.entity-name.metric-name
application = "activator-akka-kamon-statsd"
}
}

play {
include-trace-token-header = true
trace-token-header-name = "X-Trace-Token"
}

modules {
kamon-statsd.auto-start = yes
kamon-log-reporter.auto-start = no
}
}

# This is the main configuration file for the application.
# ~~~~~

# Secret key
# ~~~~~
# The secret key is used to secure cryptographics functions.
# If you deploy your application to several instances be sure to use the same key!
application.secret = "3BLM`<aD^5r/L[MinNdw8Tp@915n0djY[g66OSOLi@?k`>AZE9EOphrmf;;6JsAN"

# The application languages
# ~~~~~
play.i18n.langs = ["en"]

# HttpRequestHandler
play.http.requestHandler = "play.http.DefaultHttpRequestHandler"
27 changes: 27 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/conf/logback.xml
Original file line number Diff line number Diff line change
@@ -0,0 +1,27 @@
<configuration scan="true">

<!--
if we use the AsyncAppender this value will not be available at the moment of log,
because the operation is executed in another ThreadPool,
in that case we need put the value the MDC like the [%X{User-Agent}]
-->
<conversionRule conversionWord="traceToken" converterClass="kamon.trace.logging.LogbackTraceTokenConverter" />

<appender name="STDOUT" class="ch.qos.logback.core.ConsoleAppender">
<encoder>
<pattern>%date{HH:mm:ss.SSS} %-5level [%traceToken][%X{User-Agent}] [%thread] %logger{55} - %msg%n</pattern>
</encoder>
</appender>

<appender name="ASYNC" class="ch.qos.logback.classic.AsyncAppender">
<appender-ref ref="STDOUT" />
</appender>

<logger name="play" level="INFO" />
<logger name="application" level="INFO" />

<root level="INFO">
<appender-ref ref="STDOUT" />
</root>

</configuration>
5 changes: 5 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/conf/routes
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
# Routes
GET /helloKamon controllers.KamonPlayExample.sayHello
GET /helloKamonWithTraceName controllers.KamonPlayExample.sayHelloWithTraceName
GET /incrementCounter controllers.KamonPlayExample.incrementCounter
GET /updateTraceLocal controllers.KamonPlayExample.updateTraceLocal
Original file line number Diff line number Diff line change
@@ -0,0 +1 @@
sbt.version-0.13.13
7 changes: 7 additions & 0 deletions kamon-examples/kamon-play-example-2.5.x/project/plugins.sbt
Original file line number Diff line number Diff line change
@@ -0,0 +1,7 @@
// Comment to get more information during initialization
logLevel := Level.Warn

// Play plugin
addSbtPlugin("com.typesafe.play" % "sbt-plugin" % "2.5.10")

addSbtPlugin("io.kamon" % "aspectj-play-runner" % "0.1.4")

0 comments on commit 02dbf28

Please sign in to comment.