Overview
In this guide, you can learn how to set up and configure monitoring in the Kotlin Sync driver.
Monitoring is the process of getting information about the activities a running program performs for use in an application or an application performance management library.
You can use the Kotlin Sync driver to monitor cluster, driver command, and connection pool events. These features help you make informed decisions when designing and debugging your application.
This guide shows how to perform the following tasks:
Tip
This guide shows how to use information about the meta activity of the driver. To learn how to record data transactions, see the Monitoring Data Changes page.
Monitor Events
To monitor an event, you must register a listener on your MongoClient
instance.
An event is any action that happens in a running program. The driver includes functionality for listening to a subset of the events that occur when the driver is running.
A listener is a class that performs some action when certain events occur. A listener's API defines the events it can respond to.
Each method of a listener class represents a response to a certain event, and accepts as an argument an event object representing the event.
The Kotlin Sync driver organizes the events it defines into three categories:
- Command events 
- Server Discovery and Monitoring events 
- Connection Pool events 
The following sections show how to monitor each event category. For a full list of the events you can monitor, see the Java event package.
Command Events
A command event is an event related to a MongoDB database command. Some
examples of database commands that produce command events are find,
insert, delete, and count.
To monitor command events, create a class that implements the
CommandListener interface and register an instance of that class with your
MongoClient instance.
For more information on MongoDB database commands, see the MongoDB manual entry on database commands in the MongoDB Server manual.
Note
Internal Commands
The driver does not publish events for commands it calls internally. This
includes database commands the driver uses to monitor your cluster and
commands related to connection establishment, such as the initial hello
command.
Important
Redacted Output
As a security measure, the driver redacts the contents of some command events. This protects the sensitive information contained in these command events. For a full list of redacted command events, see the MongoDB command logging and monitoring specification.
Example
This example shows how to make a counter for database commands. The counter keeps track of the number of times the driver successfully executes each database command and prints this information every time a database command finishes.
To make a counter, follow these steps:
- Make a class with counter functionality that implements the - CommandListenerinterface.
- Add an instance of the new class to a - MongoClientSettingsobject.
- Configure your - MongoClientinstance with the- MongoClientSettingsobject.
The following code implements these steps:
import com.mongodb.kotlin.client.MongoClient import org.bson.Document import com.mongodb.event.* import com.mongodb.MongoClientSettings import com.mongodb.ConnectionString class CommandCounter : CommandListener {     private val commands = mutableMapOf<String, Int>()     override fun commandSucceeded(event: CommandSucceededEvent) {         val commandName = event.commandName         val count = commands[commandName] ?: 0         commands[commandName] = count + 1         println(commands.toString())     }     override fun commandFailed(event: CommandFailedEvent) {         println("Failed execution of command '${event.commandName}' with id ${event.requestId}")     } } fun main() {     val uri = "<connection string uri>" // Instantiate your new listener     val commandCounter = CommandCounter() // Include the listener in your client settings     val settings = MongoClientSettings.builder()         .applyConnectionString(ConnectionString(uri))         .addCommandListener(commandCounter)         .build() // Connect to your database     val mongoClient = MongoClient.create(settings)     val database = mongoClient.getDatabase("sample_mflix")     val collection = database.getCollection<Document>("movies") // Run some commands to test the counter     collection.find().firstOrNull()     collection.find().firstOrNull()     mongoClient.close() } 
{find=1} {find=2} {find=2, endSessions=1} 
For more information on the classes and methods mentioned in this section, see the following API documentation:
Server Discovery and Monitoring Events
A server discovery and monitoring (SDAM) event is an event related to a change in the state of the MongoDB instance or cluster you have connected the driver to.
The driver defines nine SDAM events and provides the following listener interfaces, which listen for three SDAM events each:
- ClusterListener : Listens for topology-related events 
- ServerListener : Listens for events related to - mongodor- mongosprocesses
- ServerMonitorListener : Listens for heartbeat-related events 
To monitor a type of SDAM event, create a class that implements one of the three
preceding interfaces and register an instance of that class with your
MongoClient instance.
For a detailed description of each SDAM event, see the MongoDB SDAM monitoring events specification.
Example
This example shows how to make a listener class that prints a message about the write availability of your MongoDB instance.
To make an event that reports write status, perform the following tasks:
- Make a class that tracks cluster description changes, and implements the - ClusterListenerinterface.
- Add an instance of the new class to a - MongoClientSettingsobject.
- Configure your - MongoClientinstance with the- MongoClientSettingsobject.
The following code implements these steps:
import com.mongodb.kotlin.client.MongoClient import org.bson.Document import com.mongodb.event.* import com.mongodb.MongoClientSettings import com.mongodb.ConnectionString class IsWriteable : ClusterListener {     private var isWritable = false     override fun clusterDescriptionChanged(event: ClusterDescriptionChangedEvent) {         if (!isWritable) {             if (event.newDescription.hasWritableServer()) {                 isWritable = true                 println("Able to write to cluster")             }         } else {             if (!event.newDescription.hasWritableServer()) {                 isWritable = false                 println("Unable to write to cluster")             }         }     } } fun main() {     val uri = "<connection string uri>" // Instantiate your new listener     val clusterListener = IsWriteable() // Include the listener in your client settings     val settings = MongoClientSettings.builder()         .applyConnectionString(ConnectionString(uri))         .applyToClusterSettings { builder ->             builder.addClusterListener(clusterListener)         }         .build() // Connect to your database     val mongoClient = MongoClient.create(settings)     val database = mongoClient.getDatabase("sample_mflix")     val collection = database.getCollection<Document>("movies") // Run a command to trigger a ClusterDescriptionChangedEvent event     collection.find().firstOrNull()     mongoClient.close() } 
Able to write to server 
For more information on the classes and methods mentioned in this section, see the following API documentation:
Connection Pool Events
A connection pool event is an event related to a connection pool held by the driver. A connection pool is a set of open TCP connections your driver maintains with a MongoDB instance. Connection pools help reduce the number of network handshakes your application performs with a MongoDB instance and can help your application run faster.
To monitor connection pool events, create a class that implements the
ConnectionPoolListener interface and register an instance of that class with your
MongoClient instance.
Example
This example shows how to make a listener class that prints a message each time you check out a connection from your connection pool.
To make an event that reports connection checkouts, perform the following tasks:
- Make a class that tracks checkouts and implements the - CommandListenerinterface.
- Add an instance of the new class to a - MongoClientSettingsobject.
- Configure your - MongoClientinstance with the- MongoClientSettingsobject.
The following code implements these steps:
import com.mongodb.kotlin.client.MongoClient import org.bson.Document import com.mongodb.event.* import com.mongodb.MongoClientSettings import com.mongodb.ConnectionString class ConnectionPoolLibrarian : ConnectionPoolListener {     override fun connectionCheckedOut(event: ConnectionCheckedOutEvent) {         println("Let me get you the connection with id ${event.connectionId.localValue}...")     }     override fun connectionCheckOutFailed(event: ConnectionCheckOutFailedEvent) {         println("Something went wrong! Failed to checkout connection.")     } } fun main() {     val uri = "<connection string uri>" // Instantiate your new listener val cpListener = ConnectionPoolLibrarian() // Include the listener in your client settings     val settings = MongoClientSettings.builder()         .applyConnectionString(ConnectionString(uri))         .applyToConnectionPoolSettings({             it.addConnectionPoolListener(cpListener)             })         .build() // Connect to your database             val mongoClient = MongoClient.create(settings)     val database = mongoClient.getDatabase("sample_mflix")     val collection = database.getCollection<Document>("movies") // Run some commands to test the counter     collection.find().firstOrNull()     mongoClient.close() } 
Let me get you the connection with id 21... 
For more information on the classes and methods mentioned in this section, see the following API documentation:
Monitor Connection Pool Events with JMX
You can monitor connection pool events using Java Management Extensions (JMX). JMX provides tools to monitor applications and devices.
For more information on JMX, see the official Oracle JMX documentation.
JMX Support
To enable JMX connection pool monitoring, add an instance of the
JMXConnectionPoolListener class to your MongoClient object.
The JMXConnectionPoolListener class performs the following actions:
- Creates MXBean instances for each - mongodor- mongosprocess the driver maintains a connection pool with.
- Registers these MXBean instances with the platform MBean server. 
MXBeans registered on the platform MBean server have the following properties:
| Property | Description | 
|---|---|
| 
 | A client-generated unique identifier. This identifier ensures that
each MXBean the driver makes has a unique name when an application has
multiple  | 
| 
 | The hostname of the machine running the  | 
| 
 | The port on which the  | 
| 
 | The minimum size of the connection pool, including idle and in-use connections. | 
| 
 | The maximum size of the connection pool, including idle and in-use connections. | 
| 
 | The current size of the connection pool, including idle and in-use connections. | 
| 
 | The current count of connections that are in use. | 
All MXBean instances created by the driver are under the domain
"org.mongodb.driver".
For more information on the topics discussed in this subsection, see the following resources from Oracle:
JMX and JConsole Example
This example shows how you can monitor the driver's connection pools using JMX and JConsole. JConsole is a JMX compliant GUI monitoring tool that comes with the Java Platform.
Tip
Consult the Official JMX and JConsole Documentation
The descriptions of JMX and JConsole in this example are illustrative rather than a source of truth. For guaranteed up-to-date information, consult the following official Oracle resources:
The following code snippet adds a JMXConnectionPoolListener to a
MongoClient instance. The code then pauses execution so you can
navigate to JConsole and inspect your connection pools.
import com.mongodb.kotlin.client.MongoClient import org.bson.Document import com.mongodb.MongoClientSettings import com.mongodb.ConnectionString import com.mongodb.management.JMXConnectionPoolListener fun main() {     val uri = "<connection string uri>" // Instantiate your JMX listener     val connectionPoolListener = JMXConnectionPoolListener() // Include the listener in your client settings     val settings = MongoClientSettings.builder()         .applyConnectionString(ConnectionString(uri))         .applyToConnectionPoolSettings {             it.addConnectionPoolListener(connectionPoolListener)         }         .build()     try { // Connect to your database         val mongoClient = MongoClient.create(settings)         val database = mongoClient.getDatabase("sample_mflix")         val collection = database.getCollection<Document>("movies")         collection.find().firstOrNull()         collection.find().firstOrNull()         println("Navigate to JConsole to see your connection pools...") // Pause execution         Thread.sleep(Long.MAX_VALUE)         mongoClient.close()     } catch (e: Exception) {         e.printStackTrace()     } } 
Navigate to JConsole to see your connection pools... 
Once you have started your server, open JConsole in your terminal by using the following command:
jconsole 
Once JConsole is open, perform the following actions in the GUI:
- Select the process running the preceding example code. 
- Press Insecure Connection in the warning dialog box. 
- Click on the MBeans tab. 
- Inspect your connection pool events under the - "org.mongodb.driver"domain.
When you no longer want to inspect your connection pools in JConsole, do the following:
- Exit JConsole by closing the JConsole window. 
- Stop the program running by the preceding code snippet. 
For more information on JMX and JConsole, see the following resources from Oracle:
For more information on the JMXConnectionPoolListener class, see
the API documentation for
JMXConnectionPoolListener.
Include the Driver in Your Distributed Tracing System
If you use a distributed tracing system, you can include event data from the driver. A distributed tracing system is an application that tracks requests as they propagate throughout different services in a service-oriented architecture.
If you use the driver in a Spring Cloud application, use Spring Cloud Sleuth to include MongoDB event data in the Zipkin distributed tracing system.
If you do not use Spring Cloud or want to include driver event data in a distributed tracing system other than Zipkin, you must write a command event listener that manages spans for your desired distributed tracing system.
Tip
To learn more about the concepts discussed in this section, review the following resources:
- Spring Cloud
- TraceMongoCommandListener
- : An implementation of an event listen than manages spans
 
 
 
- Dapper : A detailed description of a distributed tracing system from Google Research